我正在尝试创建一个潜在的双人游戏程序,其中一个用户被提示输入问题,然后提示输入该问题的答案,这两个问题都将存储在二维数组中。第一个玩家最多可以输入10个问题。在存储了该问题的问题和答案之后,我希望能够让第二个玩家回答第一个玩家提出的问题。
现在我陷入了一个非常基本的部分,它将问题和答案存储在数组中。
以下是我到目前为止的第一堂课代码:
class MakeOwnQuestion
{
string question;
string answer;
string[,] makequestion = new string[10, 2];
public void MakeQuestion(string question, string answer, int index)
{
if (index < makequestion.Length)
{
makequestion[index, 0] = question;
makequestion[index, 1] = answer;
}
}
我的第二堂课:
class MakeOwnQuestionUI
{
MakeOwnQuestion newquestion;
public void MainMethod()
{
PopulateArray();
}
void PopulateArray()
{
string question;
string answer;
Console.WriteLine("Enter Your Question: ");
question = Console.ReadLine();
Console.WriteLine("Enter Your Answer: ");
answer = Console.ReadLine();
newquestion.MakeQuestion(question, answer, 0);
Console.WriteLine("Enter Your Question: ");
question = Console.ReadLine();
Console.WriteLine("Enter Your Answer: ");
answer = Console.ReadLine();
newquestion.MakeQuestion(question, answer, 1);
}
}
用户输入第一个答案后,我会收到相同的错误消息 “对象引用未设置为对象的实例”
答案 0 :(得分:7)
您需要初始化newquestion
实例:
MakeOwnQuestion newquestion = new MakeOwnQuestion();
我还建议你使用GetLength
而不是Length
作为多维数组:
if (index < makequestion.GetLength(0))
{
...
}
或者更好的是,只需要某种类型的List<T>
,例如Tuple<string, string>
:
class MakeOwnQuestion
{
List<Tuple<string, string>> makequestion = new List<Tuple<string, string>>();
public void MakeQuestion(string question, string answer, int index)
{
makequestion.Add(Tuple.Create(question, answer));
}
}