如何用c#,. net将文件(而不是字节)写入文件?我很乐意坚持下去。
编辑:我正在寻找一种不同的方式,只需将每8位写入一个字节
答案 0 :(得分:6)
您一次可以写入的最小数据量是一个字节。
如果需要编写单个位值。 (例如,需要1位标志,3位整数和4位整数的二进制格式);您需要缓冲内存中的各个值,并在写入整个字节时写入文件。 (为了提高性能,缓冲更多并将更大的块写入文件是有意义的。)
答案 1 :(得分:5)
答案 2 :(得分:0)
您必须使用位移或二进制算术,因为您一次只能写一个字节,而不是单个位。
答案 3 :(得分:0)
我做了这样的事情来模仿BitsWriter。
private BitArray bitBuffer = new BitArray(new byte[65536]);
private int bitCount = 0;
// Write one int. In my code, this is a byte
public void write(int b)
{
BitArray bA = new BitArray((byte)b);
int[] pattern = new int[8];
writeBitArray(bA);
}
// Write one bit. In my code, this is a binary value, and the amount of times
public void write(int b, int len)
{
int[] pattern = new int[len];
BitArray bA = new BitArray(len);
for (int i = 0; i < len; i++)
{
bA.Set(i, (b == 1));
}
writeBitArray(bA);
}
private void writeBitArray(BitArray bA)
{
for (int i = 0; i < bA.Length; i++)
{
bitBuffer.Set(bitCount + i, bA[i]);
bitCount++;
}
if (bitCount % 8 == 0)
{
BitArray bitBufferWithLength = new BitArray(new byte[bitCount / 8]);
byte[] res = new byte[bitBuffer.Count / 8];
for (int i = 0; i < bitCount; i++)
{
bitBufferWithLength.Set(i, (bitBuffer[i]));
}
bitBuffer.CopyTo(res, 0);
bitCount = 0;
base.BaseStream.Write(res, 0, res.Length);
}
}