如何在C#中初始化结构

时间:2010-10-15 14:23:51

标签: c# struct initialization

我有一些代码来初始化C#中的结构:

namespace Practice
{
    public struct Point
    {
        public int _x;
        public int _y;

        public int X
        {
            get { return _x; }
            set { _x = value; }
        }

        public int Y
        {
            get { return _y; }
            set { _y = value; }
        }

        public Point(int x, int y)
        {
            _x = x;
            _y = y;
        }    
    }    

    class Practice
    {
        public static void Main()
        {
            Point p1;
            p1.X = 1;
            p1.Y = 2;
        }
    }
}

上面的代码给出了编译错误:

  

错误CS0165:使用未分配的本地   变量'p1'

为什么会抛出此错误?

4 个答案:

答案 0 :(得分:23)

您不能在结构中使用属性,直到它知道已填写所有字段

例如,在你的情况下,这应该编译:

Point p1;
p1._x = 1;
p1._y = 2;
int x = p1.X; // This is okay, now the fields have been assigned

注意你必须在这里显式调用构造函数...虽然在封装良好的结构中你几乎总是 必须。你能摆脱这种情况的唯一原因是因为你的领域是公开的。 ICK。

但是,无论如何,我强烈建议你使用可变结构。如果你真的想要一个struct,那就让它成为不可变的并将值传递给构造函数:

public struct Point
{
    private readonly int x;
    public int X { get { return x; } }

    private readonly int y;
    public int Y { get { return y; } }

    public Point(int x, int y)
    {
        this.x = x;
        this.y = y;
    }
}

...

Point p1 = new Point(1, 2);

答案 1 :(得分:4)

您必须使用Point p1 = new Point();

对其进行初始化

答案 2 :(得分:3)

您需要先创建Point并将其分配给p1

public static void Main()
{
  Point p1 = new Point();
  p1.X = 1;
  p1.Y = 2;
}

顺便说一下,你的结构上可以有一个constructor - 可以让事情变得更容易:

//in Point.cs
public point (int x, int y)
{
   _x = x;
   _y = y;
}

//in program.cs
public static void Main()
{
  Point p1 = new Point(1, 2);
}

这也允许你避免在结构上使用 setters (保持它不可变)。

答案 3 :(得分:0)

声明:“点p1;”需要一个默认的构造函数。 由于这个原因,默认构造函数不会自动生成 public Point(int x,int y)。 您需要提供默认构造函数: public Point(){...}