1

大家好,我是 C# 世界的新手,我遇到了问题。我在程序的 Form_Load 方法中做了一个数组,但是我需要像这样在 picture_box 方法中访问数组:

        private void Form2_Load(object sender, EventArgs e)
    {
        //In this method we get a random array to set the images

        int[] imgArray = new int[20];

        Random aleatorio = new Random();

        int num, contador = 0;

        num = aleatorio.Next(1, 21);

        imgArray[contador] = num;
        contador++;

        while (contador < 20)
        {
            num = aleatorio.Next(1, 21);
            for (int i = 0; i <= contador; i++)
            {
                if (num == imgArray[i])
                {
                    i = contador;
                }
                else
                {
                    if (i + 1 == contador)
                    {
                        imgArray[contador] = num;
                        contador++;
                        i = contador;
                    }
                }
            }
        }

    }


    private void pictureBox1_Click(object sender, EventArgs e)
    {
        pictureBox1.Image = Image.FromFile(@"C:\Users\UserName\Desktop\MyMemoryGame\" + imgArray[0] + ".jpg");
    }

但我只得到错误:错误 1 ​​当前上下文中不存在名称“imgArray”

4

2 回答 2

5

您需要在类级别(Form2_Load 外部)而不是内部定义 int[] imgArray。否则,该变量的“范围”仅限于该函数。您需要取消 Form2_Load 中的第一个“int[]”部分,以防止您只声明一个新变量。

例如:

public class MyClass
{ 
    private int[] myInt;

    public void Form2_Load(...) {
        myInt = ...;
    }

}
于 2011-06-05T06:59:47.540 回答
3

错误的意思正是它所说的。

您已经在Form2_Load 函数的范围内声明了数组。在它之外,它不会存在。

要执行您想要实现的目标,请将私有数组添加到表单本身。

private int[] _imgArray = new int[20];

private void Form2_Load(object sender, EventArgs e)
{
    //Setup the imgArray
}

private void pictureBox1_Click(object sender, EventArgs e)
{
    //_imgArray is now available as its scope is to the class, not just the Form2_Load method

}

希望这会有所帮助。

于 2011-06-05T07:01:40.640 回答