最近、複雑な(不変の)構造を含むクラスを直列化しなければなりませんでした。私はこれを考え出すまで失敗し続けました(ReadXml()
参照)。正しく次のXMLファイルを読み込みなぜこれを不変の `struct`にすることができますか?
[ImmutableObject(true)]
public struct Point : IXmlSerializable
{
readonly int x, y;
public Point(int x, int y)
{
this.x=x;
this.y=y;
}
public Point(Point other)
{
this=other;
}
public int X { get { return x; } }
public int Y { get { return y; } }
public System.Xml.Schema.XmlSchema GetSchema()
{
return null;
}
public void ReadXml(System.Xml.XmlReader reader)
{
// Immutable, right?
int new_x =0, new_y=0;
int.TryParse(reader.GetAttribute("X"), out new_x);
int.TryParse(reader.GetAttribute("Y"), out new_y);
// But I can change the contents by assigning to 'this'
this=new Point(new_x, new_y);
}
public void WriteXml(System.Xml.XmlWriter writer)
{
writer.WriteAttributeString("X", X.ToString());
writer.WriteAttributeString("Y", Y.ToString());
}
}
public class Foo
{
Point from, to;
public Foo() { }
public Foo(Point from, Point to)
{
this.from=from;
this.to=to;
}
public Point From { get { return from; } set { from=value; } }
public Point To { get { return to; } set { to=value; } }
}
:
は、次のコードを考えてみましょう。
<?xml version="1.0" encoding="utf-8"?>
<Foo>
<From X="100" Y="30" />
<To X="45" Y="75" />
</Foo>
私の質問はどのように内容が不変(readonly
)キーワードですthis=new Point(new_x, new_y);
仕事があるのですか?何が私の構造の内容を変えるようなメンバーの追加から私を止めているのですか?
public void Reset()
{
this=new Point(0, 0);
}
public void Add(Point other)
{
this=new Point(x+other.x, y+other.y);
}
{
Point foo=new Point(10, 15);
// foo.X=10, foo.Y=15
Point bar=new Point(foo); // Clone
// bar.X=10, bar.Y=15
foo.Reset();
// foo.X=0, foo.Y=0
bar.Add(bar);
// bar.X=20, bar.Y=30
}
が、私はそれは私が読み取り/ XMLファイルを不変の構造を記述することができますので、この機能が存在して嬉しい、動作することだけでは非常に驚くべきことです。
構造体とクラスは、デフォルトでは不変ではありません。 –
したがって 'readonly'キーワード、プライベートフィールド、およびプロパティのgetterのみです。すべて、フィールドを上書きする 'ReadXml'を除いて。 – ja72
これは多くの人にとって驚くべきことです。 http://joeduffyblog.com/2010/07/01/when-is-a-readonly-field-not-readonly/ –