2

我从图像 url(lcdui 图像)创建了一个图像

HttpConnection c = (HttpConnection) Connector.open(imageurl);
int len = (int)c.getLength();

if (len > 0) 
{
is = c.openDataInputStream();
byte[] data = new byte[len];
is.readFully(data);

img = Image.createImage(data, 0, len);

我想为此设置高度和宽度?我想显示

4

3 回答 3

1

您不需要设置宽度和高度,因为在图像加载期间会加载并设置此信息。因此,如果图像是 320x100,您的代码将创建 320x100 图像。 img.getWidth()将返回 320。img.getHeight()将返回 100。

无法更改Image对象的宽度和高度。您可以只查询它的宽度和高度。

您的图像已准备好呈现在ImageItem画布中的对象中。

于 2012-08-04T15:57:39.297 回答
0

不能将宽度和高度设置为图像。但是,您可以使用以下方法调整图像大小。

public Image resizeImage(Image src, int screenHeight, int screenWidth) {
        int srcWidth = src.getWidth();

        int srcHeight = src.getHeight();
        Image tmp = Image.createImage(screenWidth, srcHeight);
        Graphics g = tmp.getGraphics();
        int ratio = (srcWidth << 16) / screenWidth;
        int pos = ratio / 2;

        //Horizontal Resize        

        for (int index = 0; index < screenWidth; index++) {
            g.setClip(index, 0, 1, srcHeight);
            g.drawImage(src, index - (pos >> 16), 0);
            pos += ratio;
        }

        Image resizedImage = Image.createImage(screenWidth, screenHeight);
        g = resizedImage.getGraphics();
        ratio = (srcHeight << 16) / screenHeight;
        pos = ratio / 2;

        //Vertical resize

        for (int index = 0; index < screenHeight; index++) {
            g.setClip(0, index, screenWidth, 1);
            g.drawImage(tmp, 0, index - (pos >> 16));
            pos += ratio;
        }
        return resizedImage;

    }
于 2012-08-06T09:15:22.917 回答
0

接受的答案对我不起作用(因为它在减小图像尺寸时在图像底部留下了一条白色带 - 尽管保持相同的纵横比)。我在CodeRanch 论坛上找到了一个代码片段。

这是清理后的片段:

protected static Image resizeImage(Image image, int resizedWidth, int resizedHeight) {

    int width = image.getWidth();
    int height = image.getHeight();

    int[] in = new int[width];
    int[] out = new int[resizedWidth * resizedHeight];

    int dy, dx;
    for (int y = 0; y < resizedHeight; y++) {

        dy = y * height / resizedHeight;
        image.getRGB(in, 0, width, 0, dy, width, 1);

        for (int x = 0; x < resizedWidth; x++) {
            dx = x * width / resizedWidth;
            out[(resizedWidth * y) + x] = in[dx];
        }

    }

    return Image.createRGBImage(out, resizedWidth, resizedHeight, true);

}
于 2015-02-20T14:25:02.207 回答