0

我需要将十六进制字符串转换为字节数组,然后将其写入文件。下面的代码给出了3 秒的延迟。十六进制下面 是一个长度为 1600 的十六进制字符串。有没有其他方法可以使它更快?

        Stopwatch sw = new Stopwatch();
        sw.Start();
        for (int i = 0; i < 5000; i++)
        {

            FileStream objFileStream = new FileStream("E://CRec Correcting Copy//Reader//bin//Debug//Files//Raw Data//a123.txt", FileMode.Append, FileAccess.Write);
            objFileStream.Seek(0, SeekOrigin.End);
            objFileStream.Write(stringTobyte(hex), 0, stringTobyte(hex).Length);
            objFileStream.Close();
        }
        sw.Stop();
        Console.WriteLine(sw.ElapsedMilliseconds);

stringTobyte 是将十六进制字符串转换为字节数组的方法。

public static byte[] stringTobyte(string hexString)
    {
        try
        {
            int bytesCount = (hexString.Length) / 2;
            byte[] bytes = new byte[bytesCount];
            for (int x = 0; x < bytesCount; ++x)
            {
                bytes[x] = Convert.ToByte(hexString.Substring(x * 2, 2), 16);
            }
            return bytes;
        }
        catch
        {
            throw;
        }
    }

请告诉我延迟发生在哪里?

4

2 回答 2

1

你想太复杂了。首先,不需要您的自定义函数将其转换为字节数组。System.Text.UTF8Encoding.GetBytes(string)会为你做的!另外,这里不需要流,看看File.WriteAllBytes(string, byte[])方法。

然后它应该看起来像这样:

System.IO.File.WriteAllBytes("E://CRec Correcting Copy//Reader//bin//Debug//Files//Raw Data//a123.txt", new System.Text.UTF8Encoding().GetBytes(hex));

或多行版本,如果您坚持:

string filePath = "E://CRec Correcting Copy//Reader//bin//Debug//Files//Raw Data//a123.txt";
System.Text.UTF8Encoding encoder = new System.Text.UTF8Encoding();
byte[] bytes = encoder.GetBytes(hex);
System.IO.File.WriteAllBytes(filePath, bytes);
于 2013-01-14T12:41:33.453 回答
0

哇。首先这样做:

objFileStream.Write(stringTobyte(hex), 0, stringTobyte(hex).Length);


byte[] bytes = stringTobyte(hex);
objFileStream.Write(bytes , 0, bytes.Length);
于 2013-01-14T12:25:51.293 回答