-3

我的代码中的语言语法问题是什么?我想声明一个队列数组。这是声明和使用它们的正确方法吗?

   public static void Main(string[] args)
    {
        Queue<int>[] downBoolArray = new Queue<int>[8]();
        downBoolArray[0].Enqueue(1);
    }
4

3 回答 3

3

您的第一个问题是语法错误:new Queue<int>[8]()应该是new Queue<int>[8].

一旦使用正确的语法声明,当您尝试使用数组 ( downBoolArray[0].Enqueue(1)) 的元素时,您将遇到NullReferenceException ,因为数组元素初始化为其默认值,在引用类型的情况下为null.

您可以改为使用单行 LINQ 使用非空种子值初始化您的数组:

Queue<int>[] downBoolArray = Enumerable.Range(1,8).Select(i => new Queue<int>()).ToArray();

Range指定序列中需要 8 个“条目”的参数;该语句为每个项目Select创建一个新的;Queue<int>并且ToArray调用将我们的序列输出为一个数组。

于 2018-02-09T15:34:25.260 回答
0

您需要初始化数组中的每个元素

void Main()
{
    Queue<int>[] downBoolArray =new Queue<int>[10];

    for (int i = 0; i < downBoolArray.Length; i++)
        downBoolArray[i] = new Queue<int>();
    downBoolArray[0].Enqueue(1);
}
于 2018-02-09T15:17:07.633 回答
-2

您已经创建了一个空值数组。

你想要的是这样的:

public static void Main(string[] args) {

    var queues = new Queue<int>[8];

    // Possibly some other stuff

    // Initialise all values
    for (var i = 0; i < queues.Length; i++) {
        // Accounting for maybe already sporadically initialising values
        queues[i] = (queues[i]) ?? new Queue<int>();

    }
    // Do whatever

}
于 2018-02-09T15:19:46.647 回答