可变对象的自动属性

Auto-properties with mutable objects

我正在尝试为可变对象创建属性。这是自动属性的问题吗?例如,以下代码将允许对可变对象进行不需要的操作。我该如何避免这种情况?

public class Mutable{
    public int Value { get; set; }
}

public class ClassWithMutable{
    public Mutable Object { get; }

    public ClassWithMutable(){
        this.mutable = new Mutable();
        this.mutable.Value = 0;
    }
}

public class Demo{
    public static void Main(String[] args){
        ClassWithMutable test = new ClassWithMutable();
        Mutable o = test.Object;
        o.Value = 1;
    }
}

我试图理解你的问题的意图而不是你的问题,但我说得有点短。不过,我想我想出了一些办法。

您可以在只读界面下"mask"您的可变对象。

public class ClassWithMutable
{
    public IImumutable Mutable { get { return _mutable; } }
    private Mutable _mutable;
    public ClassWithMutable()
    {
        _mutable = new Mutable()
        {
            Value = 1
        };
    }
}
public interface IImumutable
{
    int Value { get; }
}
public class Mutable : IImumutable
{
    public int Value { get; set; }
}

只要您的 ClassWithMutable 实例将 Mutable 实例公开为 Immutable,那么消费者就无法 轻易地 更改它。 (我很容易强调,因为几乎总有一种方法可以改变它。这取决于你想工作的程度。)

您可以使用仅公开 get 属性的接口,以及实现它的私有 class。

public interface IImmutable {
    int Value { get; }
}

public class ClassWithImmutable{

    private Mutable _object;        
    public IImmutable Object { get { return _object; } }

    public ClassWithImmutable(){
        this._object = new Mutable();
        this._object.Value = 0;
    }

    private class Mutable : IImmutable {
        public int Value { get; set; }
    }

}

public class Demo{
    public static void Main(String[] args){
        ClassWithImmutable test = new ClassWithImmutable();
        IImmutable o = test.Object;
        o.Value = 1;    // fails
    }
}