6

我想要做的,是在我选择的位置画一个图像的切口到屏幕上。

我可以很容易地将它加载到位图中。然后画一个小节。

但是当图像很大时,这显然会耗尽内存。

我的屏幕是表面视图。画布等也是如此。

那么如何在给定的偏移量处绘制图像的一部分并调整大小。无需将原始文件加载到内存中

我找到了一个看起来正确的答案,但它不能正常工作。使用文件中的可绘制对象。下面的代码尝试。除了它产生的随机调整大小之外,它也是不完整的。

例子:

例子

Drawable img = Drawable.createFromPath(Files.SDCARD + image.rasterName); 

    int drawWidth = (int) (image.GetOSXWidth()/(maxX - minX)) * m_canvas.getWidth();        
    int drawHeight = (int)(image.GetOSYHeight()/(maxY - minY)) * m_canvas.getHeight();

    // Calculate what part of image I need...
    img.setBounds(0, 0, drawWidth, drawHeight);

    // apply canvas matrix to move before draw...?
    img.draw(m_canvas);
4

1 回答 1

5

BitmapRegionDecoder可用于加载图像的指定区域。ImageView这是在两个s中设置位图的示例方法。第一个是完整图像,发送只是完整图像的一个区域:

private void configureImageViews() {

    String path = externalDirectory() + File.separatorChar
            + "sushi_plate_tokyo_20091119.png";

    ImageView fullImageView = (ImageView) findViewById(R.id.fullImageView);
    ImageView bitmapRegionImageView = (ImageView) findViewById(R.id.bitmapRegionImageView);

    Bitmap fullBitmap = null;
    Bitmap regionBitmap = null;

    try {
        BitmapRegionDecoder bitmapRegionDecoder = BitmapRegionDecoder
                .newInstance(path, false);

        // Get the width and height of the full image
        int fullWidth = bitmapRegionDecoder.getWidth();
        int fullHeight = bitmapRegionDecoder.getHeight();

        // Get a bitmap of the entire image (full plate of sushi)
        Rect fullRect = new Rect(0, 0, fullWidth, fullHeight);
        fullBitmap = bitmapRegionDecoder.decodeRegion(fullRect, null);

        // Get a bitmap of a region only (eel only)
        Rect regionRect = new Rect(275, 545, 965, 1025);
        regionBitmap = bitmapRegionDecoder.decodeRegion(regionRect, null);

    } catch (IOException e) {
        // Handle IOException as appropriate
        e.printStackTrace();
    }

    fullImageView.setImageBitmap(fullBitmap);
    bitmapRegionImageView.setImageBitmap(regionBitmap);

}

// Get the external storage directory
public static String externalDirectory() {
    File file = Environment.getExternalStorageDirectory();
    return file.getAbsolutePath();
}

结果是完整的图像(顶部)和图像的一个区域(底部):

在此处输入图像描述

于 2012-11-14T17:35:05.553 回答