1

我正在尝试提高我们系统的性能(在 Tomcat 中运行的 Java 应用程序),现在瓶颈在于一次操作,我们需要读取并返回 tiff 图像的尺寸,所以我们使用 JAI 的 ImageDecoder 并使用

ImageDecoder decoder = ImageCodec.createImageDecoder("TIFF", input, param);
RenderedImage r = decoder.decodeAsRenderedImage();
int width = r.getWidth();
int height = r.getHeight();

从采样数据来看,很多时间都花在了createImageDecoder上。我的假设(不去 ImageCodec 的源代码)是它可能试图解码输入流。

来自Android领域,我希望有一个类似的解决方案来解码像设置这样的边界,BitmapFactory.Options.inJustDecodeBounds = true但到目前为止还没有找到任何其他类似的库。(我知道 AOSP 中缺少对 Android 的 tiff 支持,但这是另一天的话题。)

有人知道这样做的图书馆吗?或者有没有办法使用 JAI/ImageIO 实现类似的目标?

4

1 回答 1

1

看起来tiff 文件格式将这些信息组合在一个标题中,因此您可以自己从文件中读取数据:

private static Dimension getTiffDimensions(InputStream tiffFile) throws IOException {
    ReadableByteChannel channel = Channels.newChannel(tiffFile);

    ByteBuffer buffer = ByteBuffer.allocate(12);

    forceRead(channel, buffer, 8);
    byte endian = buffer.get();
    if(endian != buffer.get() || (endian != 'I' && endian != 'M')) {
        throw new IOException("Not a tiff file.");
    }

    buffer.order(endian == 'I' ? ByteOrder.LITTLE_ENDIAN : ByteOrder.BIG_ENDIAN);
    if(buffer.getShort() != 42) {
        throw new IOException("Not a tiff file.");
    }

    // Jump to the first image directory. Note that we've already read 8 bytes.
    tiffFile.skip(buffer.getInt() - 8);

    int width = -1;
    int height = -1;
    // The first two bytes of the IFD are the number of fields.
    forceRead(channel, buffer, 2);
    for(int fieldCount = buffer.getShort(); fieldCount > 0 && (width < 0 || height < 0); --fieldCount) {
        forceRead(channel, buffer, 12);
        switch(buffer.getShort()) {
        case 0x0100: // Image width
            width = readField(buffer);
            break;
        case 0x0101: // Image "length", i.e. height
            height = readField(buffer);
            break;
        }
    }
    return new Dimension(width, height);
}

private static void forceRead(ReadableByteChannel channel, ByteBuffer buffer, int n) throws IOException {
    buffer.position(0);
    buffer.limit(n);

    while(buffer.hasRemaining()) {
        channel.read(buffer);
    }
    buffer.flip();
}

private static int readField(ByteBuffer buffer) {
    int type = buffer.getShort();
    int count = buffer.getInt();

    if(count != 1) {
        throw new RuntimeException("Expected a count of 1 for the given field.");
    }

    switch(type) {
    case 3: // word
        return buffer.getShort();
    case 4: // int
        return buffer.getInt();
    default: // char (not used here)
        return buffer.get() & 0xFF;
    }
}

我已经用几个不同的 tiff 文件(运行长度编码的黑白,透明的颜色)对此进行了测试,它似乎工作正常。根据 tiff 文件的布局,它可能必须在找到大小之前读取大量流(我测试的文件之一,由 Apple 的 Preview 保存,文件末尾有此数据)。

于 2013-03-27T17:15:35.900 回答