3

我正在尝试在 c# 中创建一个可以扩展到子类的基类。

例如:

public class ObjectsInTheSky 
{
    public string Size, Shape;
    public float Mass;
    public int DistanceFromEarth;
    public bool hasAtmosphere, hasLife;
    public enum ObjectTypes {Planets,Stars,Moons}

    public ObjectsInTheSky( int id ) 
    {
        this.Load( id );
    }
    public void Load( int id) 
    {
        DataTable table = Get.DataTable.From.DataBase(id);

        System.Reflection.PropertyInfo[] propInfo = this.GetType().GetProperties();
        Type tp = this.GetType();
        foreach (System.Reflection.PropertyInfo info in propInfo)
        {
            PropertyInfo p = tp.GetProperty(info.Name);
            try
            {
                if (info.PropertyType.Name == "String")
                {
                    p.SetValue(this, table.Rows[0][info.Name].ToString(), null);
                }
                else if (info.PropertyType.Name == "DateTime")
                {
                    p.SetValue(this, (DateTime)table.Rows[0][info.Name], null);
                }
                else
                {
                    p.SetValue(this, Convert.ToInt32(table.Rows[0][info.Name]), null);
                }
            }
            catch (Exception e) 
            {
                Console.Write(e.ToString());
            }
        }
    }
}

public class Planets : ObjectsInTheSky 
{
    public Moons[] moons;
}

public class Moons : ObjectsInTheSky 
{

}

public class Stars : ObjectsInTheSky 
{
    public StarTypes type;
    public enum StarTypes {Binary,Pulsar,RedGiant}
}

我的问题是当我尝试使用一个对象时:

Stars star = new Stars(142);

star.type 不存在并且是star 的属性,它作为star.star.type 存在但完全无法访问,或者我不知道如何访问它。

我不知道我是否正确扩展了 ObjectsInTheSky 属性。任何帮助或指示将不胜感激。

4

2 回答 2

6

看起来好像您正在尝试使用未在子类Stars或基类上定义的构造函数。

Stars star = new Stars(142);

如果您尝试使用该.Load(int)方法,那么您需要这样做:

Stars star = new Stars();
star.Load(142);

或者,如果您尝试使用基本构造函数,则需要在子类中定义它:

public class Stars : ObjectsInTheSky 
{
    public Stars(int id) : base(id) // base class's constructor passing in the id value
    {
    }

    public Stars()  // in order to not break the code above
    {
    }

    public StarTypes type;
    public enum StarTypes {Binary,Pulsar,RedGiant}
}
于 2013-01-21T17:25:04.217 回答
2

C# 中的构造函数不被继承。您需要向每个基类添加额外的构造函数重载:

public class Stars : ObjectsInTheSky 
{
    public Stars(int id) : base(id) { }

    public StarTypes type;
    public enum StarTypes {Binary,Pulsar,RedGiant}
}

这将创建一个构造函数,它只为您调用基类的构造函数。

于 2013-01-21T17:27:12.977 回答