我有一个Validate(Stream inputStream)方法。此方法通过将inputStream传递给每个方法来调用其他几种验证方法。每一个都创建一个新的TextFieldParser并读取/验证文件。

当第一个ValidateA(inputStream)被调用时,它起作用。但是,当第二个ValidateB(inputStream)被调用时,parser.EndOfData为true,因此它不读取字段。

我试图将代码清理为最简单的形式。

public int Validate(Stream inputStream, ref List<string> errors)
{
    inputStream.Seek(0, SeekOrigin.Begin);
    errors.AddRange(ValidateA(inputStream));

    // The 2nd time, the EndOfData is true, so it doesn't read the fields
    inputStream.Seek(0, SeekOrigin.Begin);
    errors.AddRange(ValidateB(inputStream));
...
}

private List<string> ValidateA(Stream inputStream)
{
    List<string> errors = new List<string>();
    // Works fine the first time
    using (var parser = new TextFieldParser(inputStream))
    {
        parser.TextFieldType = FieldType.Delimited;
        parser.SetDelimiters(",");
        parser.TrimWhiteSpace = true;
        int lineNumber = 0;

        while (!parser.EndOfData)
        {
            string[] fields = parser.ReadFields();
            // Processing....
        }

        if (lineNumber < 2)
            errors.Add(string.Format("There is no data in the file"));
    }
    return errors;
}


这是发生问题的地方。 ValidateB方法无法处理文件,因为EndOfData字段不会重置。

private List<string> ValidateB(Stream inputStream)
{
    List<string> errors = new List<string>();
    using (var parser = new TextFieldParser(inputStream))
    {
        parser.TextFieldType = FieldType.Delimited;
        parser.SetDelimiters(",");
        parser.TrimWhiteSpace = true;
        int LineNumber = 0;
        while (!parser.EndOfData)
        {
          // Processing....
        }
    }

    return errors;
}

最佳答案

@HansPassant的评论是正确的,使我改变了传递数据的方式。我没有将Stream传递出去,而是将MemoryStream转换为byte[]

然后,在ValidateX(byte[] fileByteArray)方法中,我将从字节数组创建一个新的MemoryStream并使用它。

例:

Stream stream = model.PostedFile.InputStream;
MemoryStream memStream = new MemoryStream();
stream.CopyTo(memStream);
byte[] data = memStream.ToArray();
var result = ValidateB(data);


然后,

private List<string> ValidateB(byte[] fileByteArray)
{
    List<string> errors = new List<string>();
    MemoryStream ms = new MemoryStream(fileByteArray);
    ms.Position = 0;
    ms.Seek(0, SeekOrigin.Begin);
    using (var parser = new TextFieldParser(ms))
    {
        // Processing...
    }

}


这样可以防止EndOfData出现问题,并可以尝试访问已关闭的Stream。

关于c# - TextFieldParser未设置EndOfData字段,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/33104333/

10-10 18:39