1

我正在尝试创建一个图像,通过将像素从旧位置复制到新坐标来为 Java 上的现有图像添加边框。我的解决方案正在运行,但我想知道是否有更有效/更短的方法来做到这一点。

 /** Create a new image by adding a border to a specified image. 
 * 
 * @param p
 * @param borderWidth  number of pixels in the border
 * @param borderColor  color of the border.
 * @return
 */
    public static NewPic border(NewPic p, int borderWidth, Pixel borderColor) {
    int w = p.getWidth() + (2 * borderWidth); // new width
    int h = p.getHeight() + (2 * borderWidth); // new height

    Pixel[][] src = p.getBitmap();
    Pixel[][] tgt = new Pixel[w][h];

    for (int x = 0; x < w; x++) {
        for (int y = 0; y < h; y++) {
            if (x < borderWidth || x >= (w - borderWidth) || 
                y < borderWidth || y >= (h - borderWidth))
                    tgt[x][y] = borderColor;
            else 
                tgt[x][y] = src[x - borderWidth][y - borderWidth];

        }
    }

    return new NewPic(tgt);
    }
4

1 回答 1

2

如果只是为了呈现到屏幕上,并且意图不是实际为图像添加边框,而是让图像带有边框呈现到屏幕上,则可以为显示图像的组件配置边框.

component.setBorder(BorderFactory.createMatteBorder(
                                4, 4, 4, 4, Color.BLACK));

将呈现一个以黑色绘制的 4 像素(在每个边缘上)边框。

但是,如果意图是真正重绘图像,那么我会通过抓取每个行数组来接近它,然后使用 ByteBuffer 并通过批量put(...)操作复制行数组(和边框元素),然后抓取整个 ByteBuffer内容作为数组填充回图像。

这是否会对性能产生任何影响是未知的,在尝试优化之前和之后进行基准测试,因为生成的代码实际上可能会更慢。

主要问题是虽然系统 Arrays 函数允许批量复制和填充数组内容,但它没有提供实用程序来执行目标数组的偏移量;但是,NIO 包中的 Buffers 让您可以很容易地做到这一点,所以如果存在解决方案,它就在 NIO ByteBuffer 或者它的同类中。

于 2013-03-12T16:09:02.037 回答