更新: 2008 年 7 月
struct 类型适于表示 Point、Rectangle 和 Color 等轻量对象。尽管使用
C# | 复制代码 |
---|---|
public struct CoOrds { public int x, y; public CoOrds(int p1, int p2) { x = p1; y = p2; } } |
为结构定义默认(无参数)构造函数是错误的。在结构体中初始化实例字段也是错误的。只能通过两种方式初始化结构成员:一是使用参数化构造函数,二是在声明结构后分别访问成员。对于任何私有成员或以其他方式设置为不可访问的成员,只能在构造函数中进行初始化。
如果使用
当结构包含引用类型作为成员时,必须显式调用该成员的默认构造函数,否则该成员将保持未赋值状态且该结构不可用。(这将导致编译器错误 CS0171。)
对于结构,不像类那样存在继承。一个结构不能从另一个结构或类继承,而且不能作为一个类的基。但是,结构从基类
与 C++ 不同,无法使用 struct 关键字声明类。在 C# 中,类与结构在语义上是不同的。结构是值类型,而类是引用类型。有关更多信息,请参见
除非需要引用类型语义,否则系统将较小的类作为结构处理效率会更高。
示例 1
说明
下面的示例演示使用默认构造函数和参数化构造函数的 struct 初始化。
代码
C# | 复制代码 |
---|---|
public struct CoOrds { public int x, y; public CoOrds(int p1, int p2) { x = p1; y = p2; } } |
C# | 复制代码 |
---|---|
// 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(); } } /* Output: CoOrds 1: x = 0, y = 0 CoOrds 2: x = 10, y = 10 */ |
示例 2
说明
下面举例说明了结构特有的一种功能。它在不使用 new 运算符的情况下创建 CoOrds 对象。如果将 struct 换成 class,程序将不会编译。
代码
C# | 复制代码 |
---|---|
public struct CoOrds { public int x, y; public CoOrds(int p1, int p2) { x = p1; y = p2; } } |
C# | 复制代码 |
---|---|
// 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(); } } // Output: CoOrds 1: x = 10, y = 20 |
请参见
修订记录
日期 | 修订记录 | 原因 |
---|---|---|
2008 年 7 月 | 增加了关于 CS0171 的段落 |
内容 Bug 修复 |