web-dev-qa-db-ja.com

C#の基本クラスから、派生型を取得しますか?

これらの2つのクラスがあるとします。

_public class Derived : Base
{
    public Derived(string s)
        : base(s)
    { }
}

public class Base
{
    protected Base(string s)
    {

    }
}
_

BaseのコンストラクターからDerivedが呼び出し元であることを確認するにはどうすればよいですか?これは私が思いついたものです:

_public class Derived : Base
{
    public Derived(string s)
        : base(typeof(Derived), s)
    { }
}

public class Base
{
    protected Base(Type type, string s)
    {

    }
}
_

typeof(Derived)を渡す必要のない別の方法、たとえばBaseのコンストラクターからのリフレクションを使用する方法はありますか?

56
core
using System;
using System.Collections.Generic;
using System.Text;

namespace ConsoleApplication1
{
    class Program
    {
        static void Main(string[] args)
        {
            Base b = new Base();
            Derived1 d1 = new Derived1();
            Derived2 d2 = new Derived2();
            Base d3 = new Derived1();
            Base d4 = new Derived2();
            Console.ReadKey(true);
        }
    }

    class Base
    {
        public Base()
        {
            Console.WriteLine("Base Constructor. Calling type: {0}", this.GetType().Name);
        }
    }

    class Derived1 : Base { }
    class Derived2 : Base { }
}

このプログラムは次を出力します。

Base Constructor: Calling type: Base
Base Constructor: Calling type: Derived1
Base Constructor: Calling type: Derived2
Base Constructor: Calling type: Derived1
Base Constructor: Calling type: Derived2
93
Juliet

GetType() は、探しているものを提供します。

31
Joe Enos