在父类中创建chlid类对象

时间:2015-08-24 09:33:10

标签: c# oop object inheritance subclass

我有两个班级是父班和孩子。我真的想要找到的,我可以在父类中创建一个子类的对象。我累了,但编译器抛出异常是我的代码。

   class b  { 
        private c obj;
        public b()
        {
            obj=new c();
        }
        public void show()
        {

            obj.show();
        }
        }
        class c : b{ 
        public void show()
        {
        Console.WriteLine("working ");
        }
        }
  b object=new b();
  b.show();

有没有办法在Parent类中创建子类对象。

2 个答案:

答案 0 :(得分:1)

你可以试试这个:

class b  { 
    private c obj;
    public b()
    {

    }
    public void show(c o)
    {
        obj = o;
        obj.show();
    }
    }
    class c : b{ 
    public void show()
    {
    Console.WriteLine("working ");
    }
    }

    class Program
    {
        static void Main(string[] args)
        {
            c o=new c();
            b bo = new b();
            bo.show(o);
            o.show();
            Console.ReadKey();

        }
    }

答案 1 :(得分:1)

您可以从父类创建子对象,但不能在构造函数中创建。如果这样做,子对象(也是父对象)将创建另一个子对象,这将创建另一个子对象,依此类推。你已经做了一个无限循环。

您可以从父类中的方法创建子对象。例如:

public class Parent {

  private Child _child;

  public void CreateChild() {
    _child = new Child();
  }

  public void Show() {
    _child.Show();
  }

}

public class Child : Parent {

  public void Show() {
    Console.WriteLine("Working");
  }

}

Parent p = new Parent();
p.CreateChild();
p.Show();