深入探讨C#中的结构struct
一、结构和类的区别
1、结构的级别和类一致,写在命名空间下面,可以定义字段、属性、方法、构造方法也可以通过关键字new创建对象。
2、结构中的字段不能赋初始值。
3、无参数的构造函数无论如何c#编译器都会自动生成,所以不能为结构定义一个无参构造函数。
4、在构造函数中,必须给结构体的所有字段赋值。
5、在构造函数中,为属性赋值,不认为是对字段赋值,因为属性不一定是去操作字段。
6、结构是值类型,在传递结构变量的时候,会将结构对象里的每一个字段复制一份拷贝到新的结构变量的字段中。
7、不能定义自动属性,因为字段属性会生成一个字段,而这个字段必须要求在构造函数中,但我们不知道这个字段叫什么名字。
8、声明结构体对象,可以不使用new关键字,但是这个时候,结构体对象的字段没有初始值,因为没有调用构造函数,构造函数中必须为字段赋值,所以,通过new关键字创建结构体对象,这个对象的字段就有默认值。
9、栈的访问速度快,但空间小,堆的访问速度慢,但空间大,当我们要表示一个轻量级的对象的时候,就定义为结构,以提高速度,根据传至的影响来选择,希望传引用,则定义为类,传拷贝,则定义为结构。
二、demo
struct point
{
public program p;
private int x;
public int x
{
get { return x; }
set { x = value; }
}
private int y;
public int y
{
get { return y; }
set { y = value; }
}
public void show()
{
console.write("x={0},y={1}", this.x, this.y);
}
public point(int x,int y)
{
this.x = x;
this.y = y;
this.p = null;
}
public point(int x)
{
this.x = x;
this.y = 11;
this.p = null;
}
public point(int x, int y, program p)
{
this.x = x;
this.y = y;
this.p = p;
}
}
class program
{
public string name { get; set; }
static void main(string[] args)
{
//point p = new point();
//p.x = 120;
//p.y = 100;
//point p1 = p;
//p1.x = 190;
//console.writeline(p.x);
//point p;
//p.x = 12;//不赋值就会报错
//console.writeline(p.x);
//point p1 = new point();
//console.writeline(p1.x);//此处不赋值不会报错,原因见区别8
program p = new program() { name="小花"};
point point1 = new point(10, 10, p);
point point2 = point1;
point2.p.name = "小明";
console.writeline(point1.p.name);//结果为小明,分析见下图
}
}