如何在java中将TIFF转换为JPEG / PNG

2022-09-03 17:37:37

最近我遇到问题,当尝试显示图像文件。不幸的是,图像格式是TIFF格式,主要Web浏览器不支持(因为我知道只有Safari支持这种格式)。由于某些约束,我必须将此格式转换为主要浏览器支持的其他格式。但是,当我尝试转换格式时,它给我带来了很多问题。

我通过网络搜索,虽然在这个链接中发布了类似的问题,如何在Java中将TIF转换为PNG?“但我不能得到它所建议的结果。

因此,我再次提出这个问题,希望你们所有人都能有更好的解释和指导。

在通过提出的解决方案时,我遇到的问题很少:

1)根据Jonathan Feinberg提出的答案,它需要安装JAI和JAI / ImageIO。但是,在我安装了它们之后,我仍然无法在Netbean 7.2中导入该文件。NetBean 7.2 仍然建议导入默认图像IO库。

2)当我使用默认的ImageIO库Read方法时,它将返回NULL值,我无法继续。

3)我还尝试了其他方法,例如使用BufferedOutputStream方法将TIFF文件转换为BIN文件,但结果文件大于11 MB,无法加载并最终加载失败。

 if (this.selectedDO != null) {
        String tempDO = this.selectedDO.DONo;
        String inPath = "J:\\" + tempDO + ".TIF";
        String otPath = "J:\\" + tempDO + ".bin";

        File opFile = new File(otPath);

        File inFile = new File(inPath);

        BufferedInputStream input = null;
        BufferedOutputStream output = null;
        try {
            input = new BufferedInputStream(new FileInputStream(inPath), DEFAULT_BUFFER_SIZE);
            output = new BufferedOutputStream(new FileOutputStream(otPath), DEFAULT_BUFFER_SIZE);

            byte[] buffer = new byte[DEFAULT_BUFFER_SIZE];
            int length;
            while ((length = input.read(buffer)) > 0) {
                output.write(buffer, 0, length);
            }

        } finally {
            try {
                output.flush();
                output.close();
                input.close();
            } catch (IOException e) {
                e.printStackTrace();
            }
        }

因此,希望能从大家那里获得帮助和建议,以便我可以将TIFF格式转换为其他格式,例如JPEG / PNG。


答案 1

经过一些研究和测试,找到了一种将TIFF转换为JPEG的方法,很抱歉等待这么长时间才上传这个答案。

SeekableStream s = new FileSeekableStream(inFile);
TIFFDecodeParam param = null;
ImageDecoder dec = ImageCodec.createImageDecoder("tiff", s, param);
RenderedImage op = dec.decodeAsRenderedImage(0);

FileOutputStream fos = new FileOutputStream(otPath);
JPEGEncodeParam jpgparam = new JPEGEncodeParam();
jpgparam.setQuality(67);
ImageEncoder en = ImageCodec.createImageEncoder("jpeg", fos, jpgparam);
en.encode(op);
fos.flush();
fos.close();

otPath是要存储 JPEG 图像的路径。例如:“C:/image/abc.JPG”;
是输入文件,即 TIFF 文件inFile

至少这种方法对我来说是可行的。如果有任何其他更好的方法,请与我们分享。

编辑:只是想指出一个编辑,以便处理多页tiff。显然,您还必须处理生成的图像的不同名称:

for (int page = 0; page < dec.getNumPages(); page++) { 
    RenderedImage op = dec.decodeAsRenderedImage(page );
    ...
}

答案 2
  1. 添加依赖项

     <dependency>
     <groupId>com.github.jai-imageio</groupId>
     <artifactId>jai-imageio-core</artifactId>
     <version>1.3.1</version> </dependency>
    

https://mvnrepository.com/artifact/com.github.jai-imageio/jai-imageio-core

https://mvnrepository.com/artifact/com.github.jai-imageio/jai-imageio-core/1.3.1

  1. 编码

    final BufferedImage tif = ImageIO.read(new File("test.tif"));
    ImageIO.write(tif, "png", new File("test.png"));
    

推荐