问题描述
我创建一个MemoryStream
,并将其传递给CryptoStream
进行写入.我希望CryptoStream
进行加密,并让MemoryStream
保持打开状态,然后再读取其他内容.但是,一旦配置了CryptoStream
,它也会同时配置MemoryStream
.
I create a MemoryStream
, pass it to CryptoStream
for writing. I want the CryptoStream
to encrypt, and leave the MemoryStream
open for me to then read into something else. But as soon as CryptoStream
is disposed, it disposes of MemoryStream
too.
CryptoStream
是否可以使基座MemoryStream
保持打开状态?
Can CryptoStream
leave the base MemoryStream
open somehow?
using (MemoryStream scratch = new MemoryStream())
{
using (AesManaged aes = new AesManaged())
{
// <snip>
// Set some aes parameters, including Key, IV, etc.
// </snip>
ICryptoTransform encryptor = aes.CreateEncryptor();
using (CryptoStream myCryptoStream = new CryptoStream(scratch, encryptor, CryptoStreamMode.Write))
{
myCryptoStream.Write(someByteArray, 0, someByteArray.Length);
}
}
// Here, I'm still within the MemoryStream block, so I expect
// MemoryStream to still be usable.
scratch.Position = 0; // Throws ObjectDisposedException
byte[] scratchBytes = new byte[scratch.Length];
scratch.Read(scratchBytes,0,scratchBytes.Length);
return Convert.ToBase64String(scratchBytes);
}
推荐答案
您可以但不能使用using语句.您将需要手动管理对象的处理,还需要调用,以确保在处理所有数据之前将它们写到基础流中.
You can but you will not be able to use using statements. You will need to manually manage the disposing of the object and you will also need to call FlushFinialBlock()
to make sure all the data was written out to the underlying stream before working on it.
处理完所有流后,您可以将所有资源等待在最后的finally块中处理.
Once all you are done working with the stream you can then dispose all of the resources you where waiting on in the finally block at the end.
MemoryStream scratch = null;
AesManaged aes = null;
CryptoStream myCryptoStream = null;
try
{
scratch = new MemoryStream();
aes = new AesManaged();
// <snip>
// Set some aes parameters, including Key, IV, etc.
// </snip>
ICryptoTransform encryptor = aes.CreateEncryptor();
myCryptoStream = new CryptoStream(scratch, encryptor, CryptoStreamMode.Write);
myCryptoStream.Write(someByteArray, 0, someByteArray.Length);
//Flush the data out so it is fully written to the underlying stream.
myCryptoStream.FlushFinalBlock();
scratch.Position = 0;
byte[] scratchBytes = new byte[scratch.Length];
scratch.Read(scratchBytes,0,scratchBytes.Length);
return Convert.ToBase64String(scratchBytes);
}
finally
{
//Dispose all of the disposeable objects we created in reverse order.
if(myCryptoStream != null)
myCryptoStream.Dispose();
if(aes != null)
aes.Dispose();
if(scratch != null)
scratch.Dispose();
}
这篇关于CryptoStream可以使基本Stream保持打开状态吗?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!