在基类中使用派生类对象

时间:2016-10-12 12:16:24

标签: c# inheritance abstract-base-class

我有一个包含辅助方法的基类,我有一些包含一些虚方法的派生类。

所以,我想知道如何在基类虚拟方法中使用派生类对象?

派生类

 class myclass :baseClass
{
    public string id { get; set; }

    public string name { get; set; }

}

基类

public abstract class baseClass
{

    public virtual object FromStream()
    {
        string name, type;

        List<PropertyInfo> props = new List<PropertyInfo>(typeof(object).GetProperties()); // here I need to use derived class object 

        foreach (PropertyInfo prop in props)
        {
            type = prop.PropertyType.ToString();
            name = prop.Name;

            Console.WriteLine(name + " as "+ type);
        }
        return null;
    }

主要

 static void Main(string[] args)
    {
        var myclass = new myclass();
        myclass.FromStream(); // the object that I want to use it 

        Console.ReadKey();
    }

1 个答案:

答案 0 :(得分:1)

由于方法FromStream正在检查对象的properties,我认为您可以使用generics

示例代码:

public abstract class BaseClass
{
    public virtual object FromStream<T>(string line)
    {
        string name, type;

        List<PropertyInfo> props = new List<PropertyInfo>(typeof(T).GetProperties()); 

        foreach (PropertyInfo prop in props)
        {
            type = prop.PropertyType.ToString();
            name = prop.Name;

            Console.WriteLine(name + " as " + type);
        }
        return null;
    }
}

public class MyClass : BaseClass
{
    public string id { get; set; }

    public string name { get; set; }
}

消耗:

var myclass = new MyClass();
myclass.FromStream<MyClass>("some string"); 

可以通过这样做传递任何需要检查属性的type

public virtual object FromStream<T>(string line)

编辑:还请注意您可以按照@Jon Skeet提到的方法 - 即使用GetType().GetProperties()

在这种情况下,您可以编写FromStream方法,如下所示:

public virtual object FromStream(string line)
{
    string name, type;

    List<PropertyInfo> props = new List<PropertyInfo>(GetType().GetProperties()); 

    foreach (PropertyInfo prop in props)
    {
        type = prop.PropertyType.ToString();
        name = prop.Name;

        Console.WriteLine(name + " as " + type);
    }
    return null;
}