On this code:
public static string Base64FromFileName(string fileName)
{
try
{
FileInfo fInfo = new FileInfo(fileName);
long numBytes
Code Analysis is right; Code Analysis is wrong.
Yes, you're closing the FileStream twice. This is harmless. So is disposing it twice. Multiple disposal happens. It is the responsibility of the developer of a disposable component to handle multiple disposal properly and without throwing exceptions1.
However, while calling Dispose()
on a disposed FileStream
is a no-op by convention, the same isn't true of your code, which calls Close()
on a disposed stream. Don't do that.
Your suggested fix with the nested using is fine.
1 The contract for IDisposable.Dispose requires:
If an object's
Dispose
method is called more than once, the object must ignore all calls after the first one. The object must not throw an exception if itsDispose
method is called multiple times. Instance methods other thanDispose
can throw anObjectDisposedException
when resources are already disposed.
The formal term for this behavior is idempotence.
BinaryReader.Close also closes the underlying stream, so this would indeed cause the stream to be disposed of twice. But that's not a real problem, disposing twice doesn't hurt.
You could write this much better as
using (var fs = new FileStream(fileName, FileMode.Open, FileAccess.Read))
using (var br = new BinaryReader(fs, new UTF8Encoding(), true))
{
return Convert.ToBase64String(br.ReadBytes((int)numBytes));
}
This is the bomb-proof version:
leaveOpen
argument on the BinaryReader
constructor ensures that disposing (closing) it won't also close the stream