我在外部类中有一个嵌套类,在内部类中,我希望通过运行时的反射来获取外部类的名称。
public abstract class OuterClass // will be extended by children
{
protected class InnerClass // will also be extended
{
public virtual void InnerMethod()
{
string nameOfOuterClassChildType = ?;
}
}
}
这可能在c#中吗?
编辑:我应该补充一点,我想使用反射并从一个从OuterClass扩展的子类中获取名称,这就是我在编译时不知道具体类型的原因。
答案 0 :(得分:1)
这样的东西应该解析出外部类的名称:
public virtual void InnerMethod()
{
Type type = this.GetType();
// type.FullName = "YourNameSpace.OuterClass+InnerClass"
string fullName = type.FullName;
int dotPos = fullName.LastIndexOf('.');
int plusPos = fullName.IndexOf('+', dotPos);
string outerName = fullName.Substring(dotPos + 1, plusPos - dotPos - 1);
// outerName == "OuterClass", which I think is what you want
}
或者,正如@LasseVKarlsen所提议的那样,
string outerName = GetType().DeclaringType.Name;
......这实际上是一个更好的答案。