如何只读一个字节数组?

时间:2010-07-18 20:54:49

标签: c# bytearray readonly readonly-collection

考虑以下代码:

static int Main() {
     byte[] data = File.ReadAllBytes("anyfile");
     SomeMethod(data);
     ...
}
static void SomeMethod(byte[] data) {
     data[0] = anybytevalue; // this line should not be possible!!!
     byte b = data[0];       // only reading should be allowed
     ...
}

有没有办法在C#中只读传递byte []?复制不是解决方案。我不想浪费内存(因为文件可能会变得非常大)。请记住表现!

3 个答案:

答案 0 :(得分:12)

您可以传递ReadOnlyCollection<byte>,如下所示:

static int Main() {
     byte[] data = File.ReadAllBytes("anyfile");
     SomeMethod(new ReadOnlyCollection<byte>(data));
     ...
}
static void SomeMethod(ReadOnlyCollection<byte> data) {
     byte b = data[0];       // only reading is allowed
     ...
}

然而,最好传递一个Stream,如下所示:
这样,您根本不会将整个文件读入内存。

static int Main() {
     Stream file = File.OpenRead("anyfile");
     SomeMethod(file);
     ...
}
static void SomeMethod(Stream data) {
     byte b = data.ReadByte();       // only reading is allowed
     ...
}

答案 1 :(得分:4)

我认为这可能就是你要找的东西。

编译下面的代码,你会得到这个编译错误:属性或索引器'Stack2.MyReadOnlyBytes.this [int]'无法分配 - 它是只读的

public class MyReadOnlyBytes
{
   private byte[] myData;

   public MyReadOnlyBytes(byte[] data)
   {
      myData = data;
   }

   public byte this[int i]
   {
      get
      {
         return myData[i];
      }
   }
}

class Program
{
   static void Main(string[] args)
   {
      var b = File.ReadAllBytes(@"C:\Windows\explorer.exe");
      var myb = new MyReadOnlyBytes(b);

      Test(myb);

      Console.ReadLine();
   }

   private static void Test(MyReadOnlyBytes myb)
   {
      Console.WriteLine(myb[0]);
      myb[0] = myb[1];
      Console.WriteLine(myb[0]);
   }
}

答案 2 :(得分:2)

我建议你使用层次结构中最高的对象来完成这项工作。在您的情况下,这将是IEnumerable<byte>

static int Main() 
{
     byte[] data = File.ReadAllBytes("anyfile");
     SomeMethod(data);
}

static void SomeMethod(IEnumerable<byte> data)
{
    byte b = data.ElementAt(0); 
    // Notice that the ElementAt extension method is sufficiently intelligent
    // to use the indexer in this case instead of creating an enumerator
}