在向大家详细介绍C#结构实例之前,首先让大家了解下类与结构有很多相似之处,然后全面介绍C#结构实例。
类与结构有很多相似之处:结构可以实现接口,并且可以具有与类相同的成员类型。然而,结构在几个重要方面不同于类:结构为值类型而不是引用类型,并且结构不支持继承。结构的值存储在“在堆栈上”或“内联”。细心的程序员有时可以通过聪明地使用结构来增强性能。
例如,将 Point 定义为结构而不是类在运行时可以节省很多内存空间。下面的程序创建并初始化一个 100 点的数组。对于作为类实现的 Point,出现了 101 个实例对象,因为数组需要一个,它的 100 个元素每个都需要一个。
- class Point
- {
- public int x, y;
- public Point(int x, int y) {
- this.x = x;
- this.y = y;
- }
- }
- class Test
- {
- static void Main() {
- Point[] points = new Point[100];
- for (int i = 0; i < 100; i++)
- points[i] = new Point(i, i*i);
- }
- }
如果将 Point 改为作为C#结构实现,如
- struct Point
- {
- public int x, y;
- public Point(int x, int y) {
- this.x = x;
- this.y = y;
- }
- }
则只出现一个实例对象(用于数组的对象)。Point 实例在数组中内联分配。此优化可能会被误用。使用结构而不是类还会使应用程序运行得更慢或占用更多的内存,因为将C#结构实例作为值参数传递会导致创建结构的副本。
实例二:
public struct CoOrds { public int x, y; public CoOrds(int p1, int p2) { x = p1; y = p2; } } class TestCoOrds { static void Main() { // Initialize: CoOrds coords1 = new CoOrds(); CoOrds coords2 = new CoOrds(10, 10); // Display results: System.Console.Write("CoOrds 1: "); System.Console.WriteLine("x = {0}, y = {1}", coords1.x, coords1.y); System.Console.Write("CoOrds 2: "); System.Console.WriteLine("x = {0}, y = {1}", coords2.x, coords2.y); } } 输出 -------------------------------------------------------------------------------- CoOrds 1: x = 0, y = 0 CoOrds 2: x = 10, y = 10