1

我有一个二进制文件,用小端编码并包含 ~250.000 个 var1 值,然后是另一个相同数量的 var2 值。我应该创建一个方法来读取文件并返回一个 DataSet,其中包含 var1 和 var2 列中的这些值。

我正在使用该库:在 SO 中多次提到miscutil ,有关详细信息,请参见此处: MiscUtil 是否会更新 .Net 4?

非常感谢Jon Skeet提供它。:)

我有以下代码工作,我对如何最小化从文件中读取的 for 循环和填充 DataTable 的更好想法感兴趣。有什么建议吗?

private static DataSet parseBinaryFile(string filePath)
{
    var result = new DataSet();

    var table = result.Tables.Add("Data");

    table.Columns.Add("Index", typeof(int));
    table.Columns.Add("rain", typeof(float));
    table.Columns.Add("gnum", typeof(float));

    const int samplesCount = 259200; // 720 * 360

    float[] vRain = new float[samplesCount];
    float[] vStations = new float[samplesCount];

    try
    {
        if (string.IsNullOrWhiteSpace(filePath) || !File.Exists(filePath))
        {
            throw new ArgumentException(string.Format("Unable to open the file: '{0}'", filePath));
        }

        // at this point FilePath is valid and exists...
        using (FileStream fs = new FileStream(filePath, FileMode.Open))
        {
            // We are using the library found here: http://www.yoda.arachsys.com/csharp/miscutil/
            var reader = new MiscUtil.IO.EndianBinaryReader(MiscUtil.Conversion.LittleEndianBitConverter.Little, fs);

            int i = 0;

            while (reader.BaseStream.Position < reader.BaseStream.Length) //while (pos < length)
            {
                // Read Data

                float buffer = reader.ReadSingle();

                if (i < samplesCount)
                {
                    vRain[i] = buffer;
                }
                else
                {
                    vStations[i-samplesCount] = buffer;
                }

                ++i;
            }

            Console.WriteLine("number of reads was: {0}", (i/2).ToString("N0"));
        }

        for (int j = 0; j < samplesCount; ++j)
        {
            table.Rows.Add(new object[] { j + 1, vRain[j], vStations[j] });
        }
    }
    catch (Exception exc)
    {
        Debug.WriteLine(exc.Message);
    }

    return result;
} 
4

1 回答 1

1

选项1

将整个文件读入内存(或内存映射)并循环一次。

选项 #2

在您读取 var1 部分时添加所有数据表行,其中包含 var2 的占位符值。然后在阅读 var2 部分时修复数据表。

于 2012-06-19T22:37:19.130 回答