web-dev-qa-db-ja.com

「System.Drawing.Image」のファイルサイズを取得する方法

現在、クラウドストレージに移動されているレガシーイメージライブラリ内に保存されている約140,000のishイメージのメタデータを保存するシステムを作成しています。以下を使用してjpgデータを取得しています...

System.Drawing.Image image = System.Drawing.Image.FromFile("filePath");

画像操作は非常に新しいですが、これは幅、高さ、アスペクト比などの単純な値を取得するのに適していますが、バイトで表されたjpgの物理ファイルサイズを取得する方法がわかりません。どんな助けでも大歓迎です。

ありがとう

後で比較するための画像のMD5ハッシュを含む最終的なソリューション

System.Drawing.Image image = System.Drawing.Image.FromFile(filePath);

if (image != null)
{
  int width = image.Width;
  int height = image.Height;
  decimal aspectRatio = width > height ? decimal.divide(width, height) : decimal.divide(height, width);  
  int fileSize = (int)new System.IO.FileInfo(filePath).Length;

  using (System.IO.MemoryStream stream = new System.IO.MemoryStream(fileSize))
  {
    image.Save(stream, System.Drawing.Imaging.ImageFormat.Jpeg);
    Byte[] imageBytes = stream.GetBuffer();
    System.Security.Cryptography.MD5CryptoServiceProvider provider = new System.Security.Cryptography.MD5CryptoServiceProvider();
    Byte[] hash = provider.ComputeHash(imageBytes);

    System.Text.StringBuilder hashBuilder = new System.Text.StringBuilder();

    for (int i = 0; i < hash.Length; i++)
    {
      hashBuilder.Append(hash[i].ToString("X2"));
    }

    string md5 = hashBuilder.ToString();
  }

  image.Dispose();

}
26
Nick Allen

ファイルから直接画像を取得する場合は、次のコードを使用して、元のファイルのサイズをバイト単位で取得できます。

 var fileLength = new FileInfo(filePath).Length; 

1つのビットマップを取得して他の画像と合成する(透かしを追加するなど)など、他のソースから画像を取得する場合は、実行時にサイズを計算する必要があります。圧縮すると、変更後の出力データのサイズが変わる可能性があるため、元のファイルサイズをそのまま使用することはできません。この場合、MemoryStreamを使用して画像を次の場所に保存できます。

long jpegByteSize;
using (var ms = new MemoryStream(estimatedLength)) // estimatedLength can be original fileLength
{
    image.Save(ms, ImageFormat.Jpeg); // save image to stream in Jpeg format
    jpegByteSize = ms.Length;
 }
47
Ilya Ryzhenkov

元のファイルがない場合は、画像の形式と品質に依存するため、ファイルサイズは明確ではありません。だからあなたがしなければならないことは、ストリーム(例えばMemoryStream)に画像を書き込んでから、ストリームのサイズを使用することです。

2
Stefan Schultze

System.Drawing.Imageは、サイズのファイル長を提供しません。そのためには別のライブラリを使用する必要があります。

int len = (new System.IO.FileInfo(sFullPath)).Length;
1
MysticSlayer