Can a Byte[] Array be written to a file in C#?
I'm trying to write out a Byte[]
array representing a complete file to a file.
The original file from the client is sent via TCP and then received by a server. The received stream is read to a byte array and then sent to be processed by this class.
This is mainly to ensure that the receiving TCPClient
is ready for the next stream and separate the receiving end from the processing end.
The FileStream
class does not take a byte array as an argument or another Stream object ( which does allow you to write bytes to it).
I'm aiming to get the processing done by a different thread from the original ( the one with the TCPClient).
I don't know how to implement this, what should I try?
Based on the first sentence of the question: "I'm trying to write out a Byte[] array representing a complete file to a file."
The path of least resistance would be:
File.WriteAllBytes(string path, byte[] bytes)
Documented here:
System.IO.File.WriteAllBytes
- MSDN
You can use a BinaryWriter
object.
protected bool SaveData(string FileName, byte[] Data)
{
BinaryWriter Writer = null;
string Name = @"C:tempyourfile.name";
try
{
// Create a new stream to write to the file
Writer = new BinaryWriter(File.OpenWrite(Name));
// Writer raw data
Writer.Write(Data);
Writer.Flush();
Writer.Close();
}
catch
{
//...
return false;
}
return true;
}
Edit: Oops, forgot the finally
part... lets say it is left as an exercise for the reader ;-)
有一个静态方法System.IO.File.WriteAllBytes
下一篇: 是否可以将字节[]数组写入C#文件中?