欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

深入解析C#编程中struct所定义的结构

程序员文章站 2022-11-22 11:49:11
结构是使用 struct 关键字定义的,例如: public struct postaladdress { // fields, properties, m...

结构是使用 struct 关键字定义的,例如:

public struct postaladdress
{
 // fields, properties, methods and events go here...
}

结构与类共享大多数相同的语法,但结构比类受到的限制更多:

  • 在结构声明中,除非字段被声明为 const 或 static,否则无法初始化。
  • 结构不能声明默认构造函数(没有参数的构造函数)或析构函数。
  • 结构在赋值时进行复制。将结构赋值给新变量时,将复制所有数据,并且对新副本所做的任何修改不会更改原始副本的数据。在使用值类型的集合(如 dictionary<string, mystruct>)时,请务必记住这一点。
  • 结构是值类型,而类是引用类型。
  • 与类不同,结构的实例化可以不使用 new 运算符。
  • 结构可以声明带参数的构造函数。
  • 一个结构不能从另一个结构或类继承,而且不能作为一个类的基。所有结构都直接继承自 system.valuetype,后者继承自 system.object。
  • 结构可以实现接口。
  • 结构可用作可以为 null 的类型,因而可向其赋 null 值。

struct 类型适于表示 point、rectangle 和 color 等轻量对象。尽管使用自动实现的属性将一个点表示为类同样方便,但在某些情况下使用结构更加有效。例如,如果声明一个 1000 个 point 对象组成的数组,为了引用每个对象,则需分配更多内存;这种情况下,使用结构可以节约资源。因为 .net framework 包含一个名为 point 的对象,所以本示例中的结构命名为“coords”。

public struct coords
{
 public int x, y;

 public coords(int p1, int p2)
 {
 x = p1;
 y = p2;
 }
}

为结构定义默认(无参数)构造函数是错误的。在结构体中初始化实例字段也是错误的。只能通过两种方式初始化结构成员:一是使用参数化构造函数,二是在声明结构后分别访问成员。对于任何私有成员或以其他方式设置为不可访问的成员,只能在构造函数中进行初始化。
如果使用 new 运算符创建结构对象,则会创建该结构对象,并调用适当的构造函数。与类不同,结构的实例化可以不使用 new 运算符。在此情况下不存在构造函数调用,因而可以提高分配效率。但是,在初始化所有字段之前,字段将保持未赋值状态且对象不可用。
当结构包含引用类型作为成员时,必须显式调用该成员的默认构造函数,否则该成员将保持未赋值状态且该结构不可用。(这将导致编译器错误 cs0171。)
对于结构,不像类那样存在继承。一个结构不能从另一个结构或类继承,而且不能作为一个类的基。但是,结构从基类 object 继承。结构可实现接口,其方式同类完全一样。
无法使用 struct 关键字声明类。在 c# 中,类与结构在语义上是不同的。结构是值类型,而类是引用类型。

除非需要引用类型语义,将较小的类声明为结构,可以提高系统的处理效率。
示例 1
描述
下面的示例演示使用默认构造函数和参数化构造函数的 struct 初始化。
代码

 public struct coords
{
 public int x, y;

 public coords(int p1, int p2)
 {
 x = p1;
 y = p2;
 }
}


 // declare and initialize struct objects.
class testcoords
{
 static void main()
 {
 // initialize: 
 coords coords1 = new coords();
 coords coords2 = new coords(10, 10);

 // display results:
 console.write("coords 1: ");
 console.writeline("x = {0}, y = {1}", coords1.x, coords1.y);

 console.write("coords 2: ");
 console.writeline("x = {0}, y = {1}", coords2.x, coords2.y);

 // keep the console window open in debug mode.
 console.writeline("press any key to exit.");
 console.readkey();
 }
}


输出:

 coords 1: x = 0, y = 0
 coords 2: x = 10, y = 10

示例 2
描述
下面举例说明了结构特有的一种功能。它在不使用 new 运算符的情况下创建 coords 对象。如果将 struct 换成 class,程序将不会编译。
代码

 public struct coords
{
 public int x, y;

 public coords(int p1, int p2)
 {
 x = p1;
 y = p2;
 }
}


 // declare a struct object without "new."
class testcoordsnonew
{
 static void main()
 {
 // declare an object:
 coords coords1;

 // initialize:
 coords1.x = 10;
 coords1.y = 20;

 // display results:
 console.write("coords 1: ");
 console.writeline("x = {0}, y = {1}", coords1.x, coords1.y);

 // keep the console window open in debug mode.
 console.writeline("press any key to exit.");
 console.readkey();
 }
}


输出:

 coords 1: x = 10, y = 20