C#全局数组将无法正常工作

时间:2017-09-04 09:28:54

标签: c# arrays class global

我是C#的新手,但我正在尝试制作一款简单的游戏。为了使实例的移动和定位变得容易,我正在使用一个数组。问题是我似乎无法让它发挥作用。

我收到错误消息:

  

'GAArr'在当前上下文中不存在

有关详细信息,请参阅Draw方法。

//Every part of the world: terrain, enemies, itmes and alike
static void World()
{
    int GAWidth = 78;
    int GAHeight = 25;
    string[,] GAArr = new string[GAWidth, GAHeight]; //said array
    ...
}


//Wall class
class Wall {
    ...

    public Wall(int x, int y, int mh){
        ...
    }

    void Draw() {
        GAArr[x, y] = "#"; //it says the name 'GAArr' doesn't exist in the current context
    }
}

(我很抱歉复制了所有代码,但它可能会让我更清楚我正在尝试做什么) 我已经尝试了一些解决方案,比如创建一个静态全局类,但这似乎不起作用。我看到的另一件事是拍卖类,但是(据我所知),这需要花费大量时间,并且更难以访问和操纵实例的位置。 请帮忙。

3 个答案:

答案 0 :(得分:4)

GAArrWorld()方法中定义为 local 变量。它无法从嵌套的Wall类的范围访问。

您可能会觉得这很有用:C# Language specification - Scopes

以下是您尝试做的更简单的示例:

public class Outer
{
    public void Draw()
    {
        int[] intArray = new[] { 1, 2, 3 };
    }

    public class Inner
    {
        public void Draw()
        {
            // ERROR: The defined array is not available in this scope.
            intArray[0] = 0;
        }
    }
}

其他一些答案建议您将数组放置为父类的成员。这也不起作用:

public class Outer
{
    public int[] IntArray = new[] { 1, 2, 3 };

    public class Inner
    {
        public void Draw()
        {
            // ERROR: As the nested class can be instantiated without its parent, it has no way to reference this member.
            IntArray[0] = 0;
        }
    }
}

您可以通过多种方式解决此问题,包括:

  • 将数组作为参数传递给Wall.Draw()方法,甚至传递给Wall的构造函数
  • 将数组定义为静态类中的单例,并引用它。

答案 1 :(得分:1)

您的变量只能在类的范围内访问。要从其他类创建变量,您必须提供引用(例如在构造函数中)或创建将保存此变量的类

首先,按以下方式进行课程。

static class Globals
{
    public static string[,] GAArr; //Maybe needed to initialize, I dont have access to Vs atm so only I only guess syntax 
}

然后在你的世界级改变

string[,] GAArr = new string[GAWidth, GAHeight]; //said array

进入这个

Globals.GAArr = new string[GAWidth, GAHeight]; //said array

并在墙上课

 void Draw() {
        Globals.GAArr[x, y] = "#";
    }

答案 2 :(得分:0)

class Program
{
    static string[,] GAArr; // define in the class, but outside of the functions
    // ...
    static void World()
    {
        // ...
        GAArr = new string[GAWidth, GAHeight]; // create
        // ...
    }
    // ...
}

class Wall
{
    void Draw()
    {
        Program.GAArr[x,y] ? "#"; // Use in another class
    }
}

请注意,在初始化之前每次使用数组都会导致执行。