C#を使用して画像をトリミングする方法


回答:


228

を使用Graphics.DrawImageして、ビットマップからグラフィックスオブジェクトにトリミングされた画像を描画できます。

Rectangle cropRect = new Rectangle(...);
Bitmap src = Image.FromFile(fileName) as Bitmap;
Bitmap target = new Bitmap(cropRect.Width, cropRect.Height);

using(Graphics g = Graphics.FromImage(target))
{
   g.DrawImage(src, new Rectangle(0, 0, target.Width, target.Height), 
                    cropRect,                        
                    GraphicsUnit.Pixel);
}

3
注:DrawImage()の署名は有効ではありません。GraphicsUnitパラメータがありません
Nathan Taylor

2
また、2番目の引数は対象の長方形であり、作物の長方形ではありません。
axk

8
この方法DrawImageUnscaledAndClippedDrawImage、トリミングの目的よりも効率的ですか?
Ivan Kochurkin 2013年

270

このリンクを確認してください:http : //www.switchonthecode.com/tutorials/csharp-tutorial-image-editing-saving-cropping-and-resizing

private static Image cropImage(Image img, Rectangle cropArea)
{
   Bitmap bmpImage = new Bitmap(img);
   return bmpImage.Clone(cropArea, bmpImage.PixelFormat);
}

56
同意しますが、cropAreaがimg境界を越えると、「メモリ不足」例外が発生することに注意してください。
ChrisJJ、2011年

1
@KvanTTT、大きな画像を小さな画像にトリミングしたい場合、どちらもかなり遅いです。
JBeurer 2013

1
@ChrisJJあなたはもっと説明できますか?またはその問題の回避策を提供しますか?
raym0nd 2013

1
@私は回避策は、あなたの四角形の寸法は、画像のよりも大きくなっていないことを確認することです推測しているraym0nd
stuartdotnet

4
彼らのサイトはダウンしています。誰かがサイトからコードを入手しましたか?
サンガム2015

55

受け入れられた答えより簡単なのはこれです:

public static Bitmap cropAtRect(this Bitmap b, Rectangle r)
{
    using (Bitmap nb = new Bitmap(r.Width, r.Height))
    using (Graphics g = Graphics.FromImage(nb))
    {
        g.DrawImage(b, -r.X, -r.Y);
        return nb;
    }
}

そして、最も単純な答えの「メモリ不足」例外リスクを回避します。

なおBitmapGraphicsされているIDisposableので、using句。

編集Bitmap.SaveまたはPaint.exeで保存されたPNGでは問題ないが、Paint Shop Pro 6などで保存されたPNGでは失敗します-コンテンツが置き換えられます。を追加するとGraphicsUnit.Pixel、別の間違った結果が得られます。おそらく、これらの失敗したPNGだけに欠陥があります。


5
ここでの最良の返信、これは答えを与えられるべきです。他のソリューションでも「メモリ不足」が発生していました。これは初めて機能しました。
c0d3p03t 2014年

GraphicsUnit.Pixelを追加すると間違った結果が得られる理由はわかりませんが、間違いなくあります。
DOKKA 2016年

@IntellyDevの回答で提案されているように、ターゲット画像でSetResolutionを呼び出すまで、画像は正しいサイズでトリミングされていましたが、X / Yが正しくありませんでした。
ブレントケラー2017年

6
この回答はGrphicsオブジェクトをリークします。
TaW、

2
Bitmapそして、GraphicsあるIDisposable-追加using条項
thiebenデイブを

7

使用する bmp.SetResolution(image.HorizontalResolution, image .VerticalResolution);

ここでベストアンサーを実装した場合でも、特に画像が本当に素晴らしく、解像度が96.0でない場合は、これが必要になることがあります。

私のテスト例:

    static Bitmap LoadImage()
    {
        return (Bitmap)Bitmap.FromFile( @"e:\Tests\d_bigImage.bmp" ); // here is large image 9222x9222 pixels and 95.96 dpi resolutions
    }

    static void TestBigImagePartDrawing()
    {
        using( var absentRectangleImage = LoadImage() )
        {
            using( var currentTile = new Bitmap( 256, 256 ) )
            {
                currentTile.SetResolution(absentRectangleImage.HorizontalResolution, absentRectangleImage.VerticalResolution);

                using( var currentTileGraphics = Graphics.FromImage( currentTile ) )
                {
                    currentTileGraphics.Clear( Color.Black );
                    var absentRectangleArea = new Rectangle( 3, 8963, 256, 256 );
                    currentTileGraphics.DrawImage( absentRectangleImage, 0, 0, absentRectangleArea, GraphicsUnit.Pixel );
                }

                currentTile.Save(@"e:\Tests\Tile.bmp");
            }
        }
    }

5

とても簡単です:

  • Bitmap切り抜いたサイズで新しいオブジェクトを作成します。
  • 新しいビットマップのオブジェクトGraphics.FromImageを作成するGraphicsために使用します。
  • DrawImageメソッドを使用して、負のXおよびY座標でビットマップ上にイメージを描画します。

5

これは画像をトリミングする簡単な例です

public Image Crop(string img, int width, int height, int x, int y)
{
    try
    {
        Image image = Image.FromFile(img);
        Bitmap bmp = new Bitmap(width, height, PixelFormat.Format24bppRgb);
        bmp.SetResolution(80, 60);

        Graphics gfx = Graphics.FromImage(bmp);
        gfx.SmoothingMode = SmoothingMode.AntiAlias;
        gfx.InterpolationMode = InterpolationMode.HighQualityBicubic;
        gfx.PixelOffsetMode = PixelOffsetMode.HighQuality;
        gfx.DrawImage(image, new Rectangle(0, 0, width, height), x, y, width, height, GraphicsUnit.Pixel);
        // Dispose to free up resources
        image.Dispose();
        bmp.Dispose();
        gfx.Dispose();

        return bmp;
    }
    catch (Exception ex)
    {
        MessageBox.Show(ex.Message);
        return null;
    }            
}

5
解像度について言及したのは彼だけです。ソース画像の解像度が標準でない場合、上記の方法はすべて失敗します。
net_prog 2012年

1
bmp.SetResolution(image .Horizo​​ntalResolution、image .VerticalResolution);を使用します。解決の問題を修正します。
モルビア2012年

2
例外的に、これはイメージ、bmpおよびgfxオブジェクトをリークします。ステートメントを使用してそれらをラップしないのはなぜですか?
Darius Kucinskas


2

仕事をするための追加のライブラリーがなく、簡単で高速な機能を探していました。Nicksソリューションを試しましたが、アトラスファイルの1195枚の画像を「抽出」するには29,4秒必要でした。後で私はこの方法で対処し、同じ仕事をするのに2,43秒必要でした。多分これは役に立つでしょう。

// content of the Texture class
public class Texture
{
    //name of the texture
    public string name { get; set; }
    //x position of the texture in the atlas image
    public int x { get; set; }
    //y position of the texture in the atlas image
    public int y { get; set; }
    //width of the texture in the atlas image
    public int width { get; set; }
    //height of the texture in the atlas image
    public int height { get; set; }
}

Bitmap atlasImage = new Bitmap(@"C:\somepicture.png");
PixelFormat pixelFormat = atlasImage.PixelFormat;

foreach (Texture t in textureList)
{
     try
     {
           CroppedImage = new Bitmap(t.width, t.height, pixelFormat);
           // copy pixels over to avoid antialiasing or any other side effects of drawing
           // the subimages to the output image using Graphics
           for (int x = 0; x < t.width; x++)
               for (int y = 0; y < t.height; y++)
                   CroppedImage.SetPixel(x, y, atlasImage.GetPixel(t.x + x, t.y + y));
           CroppedImage.Save(Path.Combine(workingFolder, t.name + ".png"), ImageFormat.Png);
     }
     catch (Exception ex)
     {
          // handle the exception
     }
}

1

C#では、画像のトリミングは非常に簡単です。ただし、画像のトリミングをどのように管理するかは、少し難しくなります。

以下のサンプルは、C#で画像をトリミングする方法です。

var filename = @"c:\personal\images\horizon.png";
var img = Image.FromFile(filename);
var rect = new Rectangle(new Point(0, 0), img.Size);
var cloned = new Bitmap(img).Clone(rect, img.PixelFormat);
var bitmap = new Bitmap(cloned, new Size(50, 50));
cloned.Dispose();

1

オープンソースのC#ラッパーがあり、Codeplexでホストされ、Web Image Croppingと呼ばれています。

コントロールを登録する

<%@ Register Assembly="CS.Web.UI.CropImage" Namespace="CS.Web.UI" TagPrefix="cs" %>

サイズ変更

<asp:Image ID="Image1" runat="server" ImageUrl="images/328.jpg" />
<cs:CropImage ID="wci1" runat="server" Image="Image1" 
     X="10" Y="10" X2="50" Y2="50" />

コードビハインドでのトリミング-たとえばボタンがクリックされたときにCropメソッドを呼び出します。

wci1.Crop(Server.MapPath("images/sample1.jpg"));


0

画像ファイル(JPEG、BMP、TIFFなど)を取得してトリミングし、それを小さな画像ファイルとして保存する場合は、.NET APIを備えたサードパーティツールを使用することをお勧めします。ここに私が好きな人気のあるもののいくつかがあります:

LeadTools
Accusoft Pegasus Snowbound Imaging SDK


0

このサンプルのみが問題なく機能しています:

var crop = new Rectangle(0, y, bitmap.Width, h);
var bmp = new Bitmap(bitmap.Width, h);
var tempfile = Application.StartupPath+"\\"+"TEMP"+"\\"+Path.GetRandomFileName();


using (var gr = Graphics.FromImage(bmp))
{
    try
    {
        var dest = new Rectangle(0, 0, bitmap.Width, h);
        gr.DrawImage(image,dest , crop, GraphicsUnit.Point);
        bmp.Save(tempfile,ImageFormat.Jpeg);
        bmp.Dispose();
    }
    catch (Exception)
    {


    }

}

0

これは別の方法です。私の場合、私は持っています:

  • 2つの数値アップダウンコントロール(LeftMarginおよびTopMarginと呼ばれる)
  • 1ピクチャボックス(pictureBox1)
  • 私が呼び出した1つのボタン
  • C:\ imagenes \ myImage.gifに1つの画像

ボタンの中に私はこのコードを持っています:

Image myImage = Image.FromFile(@"C:\imagenes\myImage.gif");
Bitmap croppedBitmap = new Bitmap(myImage);
croppedBitmap = croppedBitmap.Clone(
            new Rectangle(
                (int)LeftMargin.Value, (int)TopMargin.Value,
                myImage.Width - (int)LeftMargin.Value,
                myImage.Height - (int)TopMargin.Value),
            System.Drawing.Imaging.PixelFormat.DontCare);
pictureBox1.Image = croppedBitmap;

Visual Studio 2012でC#を使用して試してみました。このページからこの解決策を見つけました


0

ここではgithubでデモを行っています

https://github.com/SystematixIndore/Crop-SaveImageInCSharp

<%@ Page Language="C#" AutoEventWireup="true" CodeBehind="WebForm1.aspx.cs" Inherits="WebApplication1.WebForm1" %>

<!DOCTYPE html>
<html xmlns="http://www.w3.org/1999/xhtml">
<head runat="server">
  <title></title>
 <link href="css/jquery.Jcrop.css" rel="stylesheet" type="text/css" />
<script type="text/javascript" src="http://ajax.googleapis.com/ajax/libs/jquery/1.3/jquery.min.js"></script>
<script type="text/javascript" src="js/jquery.Jcrop.js"></script>
</head>
<body>
  <form id="form2" runat="server">
  <div>
    <asp:Panel ID="pnlUpload" runat="server">
      <asp:FileUpload ID="Upload" runat="server" />
      <br />
      <asp:Button ID="btnUpload" runat="server" OnClick="btnUpload_Click" Text="Upload" />
      <asp:Label ID="lblError" runat="server" Visible="false" />
    </asp:Panel>
    <asp:Panel ID="pnlCrop" runat="server" Visible="false">
      <asp:Image ID="imgCrop" runat="server" />
      <br />
      <asp:HiddenField ID="X" runat="server" />
      <asp:HiddenField ID="Y" runat="server" />
      <asp:HiddenField ID="W" runat="server" />
      <asp:HiddenField ID="H" runat="server" />
      <asp:Button ID="btnCrop" runat="server" Text="Crop" OnClick="btnCrop_Click" />
    </asp:Panel>
    <asp:Panel ID="pnlCropped" runat="server" Visible="false">
      <asp:Image ID="imgCropped" runat="server" />
    </asp:Panel>
  </div>
  </form>
    <script type="text/javascript">
  jQuery(document).ready(function() {
    jQuery('#imgCrop').Jcrop({
      onSelect: storeCoords
    });
  });

  function storeCoords(c) {
    jQuery('#X').val(c.x);
    jQuery('#Y').val(c.y);
    jQuery('#W').val(c.w);
    jQuery('#H').val(c.h);
  };

</script>
</body>
</html>

アップロードとトリミングのためのC#コードロジック。

using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Web.UI;
using System.Web.UI.WebControls;
using System.IO;
using SD = System.Drawing;
using System.Drawing.Imaging;
using System.Drawing.Drawing2D;

namespace WebApplication1
{
    public partial class WebForm1 : System.Web.UI.Page
    {
        String path = HttpContext.Current.Request.PhysicalApplicationPath + "images\\";
        protected void Page_Load(object sender, EventArgs e)
        {

        }
        protected void btnUpload_Click(object sender, EventArgs e)
        {
            Boolean FileOK = false;
            Boolean FileSaved = false;

            if (Upload.HasFile)
            {
                Session["WorkingImage"] = Upload.FileName;
                String FileExtension = Path.GetExtension(Session["WorkingImage"].ToString()).ToLower();
                String[] allowedExtensions = { ".png", ".jpeg", ".jpg", ".gif" };
                for (int i = 0; i < allowedExtensions.Length; i++)
                {
                    if (FileExtension == allowedExtensions[i])
                    {
                        FileOK = true;
                    }
                }
            }

            if (FileOK)
            {
                try
                {
                    Upload.PostedFile.SaveAs(path + Session["WorkingImage"]);
                    FileSaved = true;
                }
                catch (Exception ex)
                {
                    lblError.Text = "File could not be uploaded." + ex.Message.ToString();
                    lblError.Visible = true;
                    FileSaved = false;
                }
            }
            else
            {
                lblError.Text = "Cannot accept files of this type.";
                lblError.Visible = true;
            }

            if (FileSaved)
            {
                pnlUpload.Visible = false;
                pnlCrop.Visible = true;
                imgCrop.ImageUrl = "images/" + Session["WorkingImage"].ToString();
            }
        }

        protected void btnCrop_Click(object sender, EventArgs e)
        {
            string ImageName = Session["WorkingImage"].ToString();
            int w = Convert.ToInt32(W.Value);
            int h = Convert.ToInt32(H.Value);
            int x = Convert.ToInt32(X.Value);
            int y = Convert.ToInt32(Y.Value);

            byte[] CropImage = Crop(path + ImageName, w, h, x, y);
            using (MemoryStream ms = new MemoryStream(CropImage, 0, CropImage.Length))
            {
                ms.Write(CropImage, 0, CropImage.Length);
                using (SD.Image CroppedImage = SD.Image.FromStream(ms, true))
                {
                    string SaveTo = path + "crop" + ImageName;
                    CroppedImage.Save(SaveTo, CroppedImage.RawFormat);
                    pnlCrop.Visible = false;
                    pnlCropped.Visible = true;
                    imgCropped.ImageUrl = "images/crop" + ImageName;
                }
            }
        }

        static byte[] Crop(string Img, int Width, int Height, int X, int Y)
        {
            try
            {
                using (SD.Image OriginalImage = SD.Image.FromFile(Img))
                {
                    using (SD.Bitmap bmp = new SD.Bitmap(Width, Height))
                    {
                        bmp.SetResolution(OriginalImage.HorizontalResolution, OriginalImage.VerticalResolution);
                        using (SD.Graphics Graphic = SD.Graphics.FromImage(bmp))
                        {
                            Graphic.SmoothingMode = SmoothingMode.AntiAlias;
                            Graphic.InterpolationMode = InterpolationMode.HighQualityBicubic;
                            Graphic.PixelOffsetMode = PixelOffsetMode.HighQuality;
                            Graphic.DrawImage(OriginalImage, new SD.Rectangle(0, 0, Width, Height), X, Y, Width, Height, SD.GraphicsUnit.Pixel);
                            MemoryStream ms = new MemoryStream();
                            bmp.Save(ms, OriginalImage.RawFormat);
                            return ms.GetBuffer();
                        }
                    }
                }
            }
            catch (Exception Ex)
            {
                throw (Ex);
            }
        }
    }
}
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.