web-dev-qa-db-ja.com

ストリームを使用して画像サイズ(幅x高さ)を取得する方法

アップロードされたファイルを読み取るために使用しているこのコードがありますが、代わりに画像のサイズを取得する必要がありますが、どのコードを使用できるかわかりません

HttpFileCollection collection = _context.Request.Files;
            for (int i = 0; i < collection.Count; i++)
            {
                HttpPostedFile postedFile = collection[i];

                Stream fileStream = postedFile.InputStream;
                fileStream.Position = 0;
                byte[] fileContents = new byte[postedFile.ContentLength];
                fileStream.Read(fileContents, 0, postedFile.ContentLength);

ファイルは正しく取得できますが、画像(幅とサイズ)を確認する方法はありますか?

17
Mathematics

最初に画像を書く必要があります:

System.Drawing.Image image = System.Drawing.Image.FromStream (new System.IO.MemoryStream(byteArrayHere));

その後、あなたは:

image.Height.ToString(); 

そしてその

image.Width.ToString();

注:アップロードされた画像であることを確認するチェックを追加することをお勧めしますか?

39
Rob
HttpPostedFile file = null;
file = Request.Files[0]

if (file != null && file.ContentLength > 0)
{
    System.IO.Stream fileStream = file.InputStream;
    fileStream.Position = 0;

    byte[] fileContents = new byte[file.ContentLength];
    fileStream.Read(fileContents, 0, file.ContentLength);

    System.Drawing.Image image = System.Drawing.Image.FromStream(new System.IO.MemoryStream(fileContents));
    image.Height.ToString(); 
}
4
Mukund

画像をバッファーに読み込みます(読み込むストリームまたはbyte []のいずれかを使用します。これは、画像があったとしても、とにかくサイズが決まるためです)。

public Size GetSize(byte[] bytes)
{
   using (var stream = new MemoryStream(bytes))
   {
      var image = System.Drawing.Image.FromStream(stream);

      return image.Size;
   }
}

次に、先に進んで画像の寸法を取得できます。

var size = GetSize(bytes);

var width = size.Width;
var height = size.Height;
1