C#中子类构造函数中如何调用父类构造函数
类似于java中的super()函数,C#是否也有这种用法 展开
通过BAse 来用,在子类中,用户调用的类型要和父类的调用类型相同才行,不然会出错,可以参考下面的代码:
class A {
public A(int a, int b) {}
}
class B : A {
public B (int a, int b, int x, int y) : base(a, b) {}
}
扩展资料:
c#函数
Trim Trim(string) 将字符串前后的空格去掉
Ltrim Ltrim(string) 将字符串前面的空格去掉
Rtrim Rtrim(string) 将字符串后面的空格去掉
Mid Mid(string,start,length) 从string字符串的start字符开始取得length长度的字符串,如果省略第三个参数表示从start字符开始到字符串结尾的字符串
Left Left(string,length) 从string字符串的左边取得length长度的字符串
Right Right(string,length) 从string字符串的右边取得length长度的字符串
参考资料来源:百度百科-c#
子类的子类调用父类中的隐藏成员
一般情况,在调用父类成员时子2代和子1代没什么区别。但如果子1代隐藏父类成员,情况就会不同。
像上面的情况,Son隐藏了父类的成员变量name和成员方法TellName(),如果再有一个类Grandson继承Son,那Grandson调用
Father类中被隐藏的成员时要像这样:
// 子类的子类
public class Grandson : Son
{
public new String name = "大头孙子";
public new void TellName()
{
Father f = this as Father;
Console.WriteLine("My Grandpa's name is {0}", f.name);
Console.WriteLine("My Father's name is {0}", base.name);
Console.WriteLine("My name is {0}.", name);
}
}
也可以使用强制转换,第8行不要,第9行的“f.name”换成“((Father)this).name”。但是不能使用base进行强制转换。
2. C#中base关键字-调用父类成员
c#学习入门 2010-03-29 20:24:38 阅读200 评论0 字号:大中小 订阅
C#中base关键字在继承中起到非常重要的作用。它与this关键字相比,this关键字代表当前实例。base关键字代表父类,使用base关键字可以调用父类的构造函数、属性和方法。
使用base关键字调用父类构造函数的语法如下:
子类构造函数:base(参数列表)
使用base关键字调用父类方法的语法如下:
base.父类方法();
using System ;
class Teacher//老师类
{
public Teacher()//构造函数1
{
Console.WriteLine ("我是一位教师。");
}
public Teacher(string str)//构造函数2
{
Console.WriteLine ("老师,"+str);
}
public void OutPut()//自定义方法
{
Console.WriteLine ("输出方法");
}
private string name;
public string Name//属性
{
get{return this.name;}
set{this.name=value;}
}
public void getName()
{
Console.WriteLine ("我的名字是"+name);
}
}
class Jack:Teacher
{
static string hello="你好";
public Jack():base(hello)//子类的构造函数继承的为父类第二个构造函数,注意写法
{
}
public void myOutPut()//自定义函数
{
base.OutPut ();//引用父类的函数
}
public string myName//自定义属性
{
get{return base.Name ;}
set{base.Name ="刘"+value;}
}
}
class Test
{
static void Main()
{
Jack j=new Jack ();//输出“老师,你好”
j.myOutPut ();//输出"输出方法"
j.myName ="德华";
j.getName ();//输出“刘德华”
}
}
3. 注意:base()调用父类构造函数时,不需要再次指定参数的类型,因为在子类中已经定义了这些参数,在base()中只需指定变量名即可,参数的类型必须和父类中的一致
{
int i,j;
public A(int a, int b)
{
i = a;
j = b;
}
public override string ToString()
{
return "i="+i+",j="+j+"";
}
}
public class B:A
{
int d, c;
public B(int x, int y, int z, int e):base(x,y)
{
d = z;
c = e;
}
public new string ToString()
{
return "d=" + d + ",c=" + c + "";
}
}
调用B b = new B(1, 2, 3, 4);
Console.WriteLine(b.ToString());
Console.ReadLine();
A a = b;
Console.WriteLine(a.ToString());
Console.ReadLine();
class A {
public A(int a, int b) {}
}
class B : A {
public B (int a, int b, int x, int y) : base(a, b) {}
}
public A(int a, int b) {}
}
class B : A {
public B (int a, int b, int x, int y) : base(a, b) {}
}