0

我有一个基类 BaseModel 和一个子类 SubModel。我想在 BaseModel 中定义一个函数,它将返回类的字符串名称。我为 BaseClass 的实例工作,但如果我创建一个 SubModel 实例,该函数仍然返回“BaseModel”。这是代码?

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Reflection;

namespace ClassLibrary1
{
    public class BaseModel
    {
        public string GetModelName()
        {
            return MethodBase.GetCurrentMethod().ReflectedType.Name;
        }
    }
}


using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using ClassLibrary1;

namespace ConsoleApplication1
{
    class SubModel : BaseModel
    {

    }
}

我想要这个电话:

SubModel test = new SubModel();
string name = test.GetModelName();

返回“子模型”。这可能吗?

谢谢。

4

1 回答 1

9

你可以这样做:

public class BaseModel
{
    public string GetModelName()
    {
        return this.GetType().Name;
    }
}

class SubModel : BaseModel
{

}

SubModel test = new SubModel();
string name = test.GetModelName();

这也是可能的:

string name = (test as BaseModel).GetModelName();
string name = ((BaseModel)test).GetModelName();

//both return "SubModel"
于 2013-03-07T20:12:03.350 回答