方法 : コピー コンストラクタを記述する (C# プログラミング ガイド)
更新 : 2007 年 11 月
一部の言語とは異なり、C# ではコピー コンストラクタが用意されていません。新しいオブジェクトを作成し、既存のオブジェクトから値をコピーする場合は、自分で適切なメソッドを記述する必要があります。
使用例
この例では、Personクラスは、Person 型の別のオブジェクトを引数とするコンストラクタを含みます。このオブジェクトのフィールドの内容は、新しいオブジェクトのフィールドに割り当てられます。
class Person
{
private string name;
private int age;
// Copy constructor.
public Person(Person previousPerson)
{
name = previousPerson.name;
age = previousPerson.age;
}
// Instance constructor.
public Person(string name, int age)
{
this.name = name;
this.age = age;
}
// Get accessor.
public string Details
{
get
{
return name + " is " + age.ToString();
}
}
}
class TestPerson
{
static void Main()
{
// Create a new person object.
Person person1 = new Person("George", 40);
// Create another new object, copying person.
Person person2 = new Person(person1);
Console.WriteLine(person2.Details);
// Keep the console window open in debug mode.
Console.WriteLine("Press any key to exit.");
Console.ReadKey();
}
}
// Output: George is 40