0

我的问题很简单:

我有一个 ImageIcon,我想获得另一个精确旋转 * 90° 次的图像图标。这是方法:

private ImageIcon setRotation(ImageIcon icon, int rotation);

我宁愿不必使用外部类。谢谢

4

1 回答 1

2

从 ImageIcon 获取 BufferedImage

对图像的所有转换通常都对BufferedImage进行。您可以从ImageIcon获取 Image ,然后将其转换为 BufferedImage:

Image image = icon.getImage();
BufferedImage bi = new BufferedImage(
    image.getWidth(null), image.getHeight(null), BufferedImage.TYPE_INT_RGB);
Graphics bg = bi.getGraphics();
bg.drawImage(im, 0, 0, null);
bg.dispose();

旋转

然后您可以使用以下代码将其旋转 -90 到 90 度:

public BufferedImage rotate(BufferedImage bi, float angle) {
    AffineTransform at = new AffineTransform();
    at.rotate(Math.toRadians(angle), bi.getWidth() / 2.0, bi.getHeight() / 2.0);
    at.preConcatenate(findTranslation(at, bi, angle));

    BufferedImageOp op = 
        new AffineTransformOp(at, AffineTransformOp.TYPE_NEAREST_NEIGHBOR);
    return op.filter(bi, null);
}

private AffineTransform findTranslation(
                        AffineTransform at, BufferedImage bi, float angle) {
    Point2D p2din = null, p2dout = null;

    if (angle > 0 && angle <= 90) {
        p2din = new Point2D.Double(0, 0);
    } else if (angle < 0 && angle >= -90) {
        p2din = new Point2D.Double(bi.getWidth(), 0);
    }
    p2dout = at.transform(p2din, null);
    double ytrans = p2dout.getY();

    if (angle > 0 && angle <= 90) {
        p2din = new Point2D.Double(0, bi.getHeight());
    } else if (angle < 0 && angle >= -90) {
        p2din = new Point2D.Double(0, 0);
    }
    p2dout = at.transform(p2din, null);
    double xtrans = p2dout.getX();

    AffineTransform tat = new AffineTransform();
    tat.translate(-xtrans, -ytrans);
    return tat;
}

这适用于从 -90 到 90 度的出色旋转图像,它不支持更多。您可以浏览AffineTransform文档以获取有关使用坐标的更多说明。

将 BufferedImage 设置为 ImageIcon

最后,您使用转换后的 Image: 填充 ImageIcon icon.setImage((Image) bi);

于 2012-05-31T10:34:14.017 回答