0

See question in commented code...

public struct Key
{
    public string Name;
    public object Value;
}


public class PrimaryKey
{
    Dictionary<string, Key> _keys = new Dictionary<string, Key>();

    object this[string index]
    {
        get
        {
            return _keys[index].Value;
        }
        set
        {
            if (!_keys.ContainsKey(index))
                _keys.Add(index, new Key() { Name = index, Value = value });
            else
            {
                var k = _keys[index];        // This compiles
                k.Value = value;             // just fine.

                _keys[index].Value = index;  // So why wouldn't this?
            }
        }
    }
}

I get the error:

Cannot modify the return value of Dictionary<string,Key>.this[string] because it is not a variable

4

3 回答 3

2

由于Keyis struct 并且 struct 是一种值类型,因此当您通过方法、属性或索引器访问它时,它会返回 struct 实例的副本,而不是实例本身。尝试声明Keyclass. 有关详细信息,您可以搜索结构和类或值和引用类型之间的差异。

于 2013-10-03T05:45:41.420 回答
2

这纯粹是因为你Key是一个结构。该值被复制出来..这意味着除了更改新丢弃的副本之外,进行更改实际上不会做任何事情。编译器正在阻止这种情况发生。

将其更改为类将为您提供所需的功能..但实际上可能不是您想要的:

public class Key { }
于 2013-10-03T05:47:17.820 回答
0

您的前两行确实可以编译,但它们不起作用。要更改存储在字典中的值,您必须将更改后的值放回字典中:

var k = _keys[index];
k.Value = value;
_keys [index] = k;

当您在同一语句中更改从字典中获取的值时,编译器会注意到您将要执行一些没有意义的事情,但是当您将其分成两个语句时,编译器无法保护您免受你自己。

这种怪癖是建议不要使结构可变的原因之一。使用类,您更改值的方式都有效,使用不可变结构,您不能犯这样的错误。

于 2013-10-03T05:58:07.810 回答