奇怪的问号,将 StreamReader 设置为开始时

Strange question mark, when setting StreamReader to beginning

我正在写一个关于求职面试的程序。一切正常,除了一件事。当我使用外部方法 TotalLines(我有单独的 StreamReader)时,它工作正常,但是当我计算程序中的一些 totalLines 时,我在第一个问题的开头收到一个问号。原来是这样:

?你叫什么名字?

但是在我正在阅读的文本文件中,我刚刚 - 你叫什么名字?

我不知道为什么会这样。也许我将 StreamReader 返回到开始有问题?我检查了我的编码,一切,但没有任何效果。感谢您的帮助:)

PotentialEmployee potentialEmployee = new PotentialEmployee();
using (StreamReader InterviewQuestions = new StreamReader(text, Encoding.Unicode))
{
    int totalLines = 0;
    while (InterviewQuestions.ReadLine() != null)
    {
        totalLines++;
    }
    InterviewQuestions.DiscardBufferedData();
    InterviewQuestions.BaseStream.Seek(0, SeekOrigin.Begin);

    for (int numberOfQuestions = 0; numberOfQuestions < totalLines; numberOfQuestions++)
    {
        string question = InterviewQuestions.ReadLine();
        Console.WriteLine(question);
        string response = Console.ReadLine();
        potentialEmployee.Responses.Add(question, response);
    }
}

但是当我在外部方法中进行TotalLines计算时,问号不显示。有什么想法吗?

无论何时您从头开始查找流,都不会再次读取字节顺序标记 (BOM),它只会在您创建带有指定编码的流 reader 后第一次读取。

为了再次正确读取 BOM,您需要创建一个新流 reader。但是,如果您指示流 reader 在处理 reader 后保持流打开,则可以重用该流,但一定要在创建新的 reader 之前进行搜索。

文件很可能以 byte order mark (BOM) 开头,最初被 reader 忽略,但当您 "rewind" 流时则不会。

虽然您可以创建一个新的reader,或者甚至只是在阅读后替换它,但我认为最好避免两次读取文件以开始于:

foreach (var question in File.ReadLines(text, Encoding.Unicode))
{
    Console.WriteLine(question);
    string response = Console.ReadLine();
    potentialEmployee.Responses.Add(question, response);
}

这是更短、更简单、更高效的代码,也不会显示您询问的问题。

如果您想确保在提问之前可以阅读整个文件,这也很简单:

string[] questions = File.ReadAllLines(text, Encoding.Unicode);
foreach (var question in questions)
{
    Console.WriteLine(question);
    string response = Console.ReadLine();
    potentialEmployee.Responses.Add(question, response);
}