12

我想检查我从目录中读取的文件是否是 jpg,但我不想简单地检查扩展名。我在想另一种方法是阅读标题。我做了一些研究,我想使用

ImageIO.read

我看过这个例子

String directory="/directory";     

BufferedImage img = null;
try {
   img = ImageIO.read(new File(directory));
} catch (IOException e) {
   //it is not a jpg file
}

我不确定从这里去哪里,它包含整个目录......但我需要目录中的每个 jpg 文件。有人可以告诉我我的代码有什么问题或需要添加哪些内容吗?

谢谢!

4

3 回答 3

8

您可以读取存储在缓冲图像中的第一个字节。这将为您提供确切的文件类型

Example for GIF it will be
GIF87a or GIF89a 

For JPEG 
image files begin with FF D8 and end with FF D9

http://en.wikipedia.org/wiki/Magic_number_(编程)

试试这个

  Boolean status = isJPEG(new File("C:\\Users\\Public\\Pictures\\Sample Pictures\\Chrysanthemum.jpg"));
System.out.println("Status: " + status);


private static Boolean isJPEG(File filename) throws Exception {
    DataInputStream ins = new DataInputStream(new BufferedInputStream(new FileInputStream(filename)));
    try {
        if (ins.readInt() == 0xffd8ffe0) {
            return true;
        } else {
            return false;

        }
    } finally {
        ins.close();
    }
}
于 2013-03-21T04:57:35.827 回答
4

您需要让阅读器习惯于阅读格式并检查给定文件是否没有可用的阅读器...

String fileName = "Your image file to be read";
ImageInputStream iis = ImageIO.createImageInputStream(new File(fileName ));
Iterator<ImageReader> readers = ImageIO.getImageReadersByFormatName("jpg");
boolean canRead = false;
while (readers.hasNext()) {
    try {        
        ImageReader reader = readers.next();
        reader.setInput(iis);
        reader.read(0);
        canRead = true;
        break;
    } catch (IOException exp) {
    }        
}

现在基本上,如果没有一个读者可以阅读该文件,那么它就不是 Jpeg

警告

这仅在有可用于给定文件格式的阅读器时才有效。它可能仍然是 Jpeg,但没有适用于给定格式的阅读器...

于 2013-03-21T04:51:19.927 回答
1

改进@karthick 给出的答案,您可以执行以下操作:

private static Boolean isJPEG(File filename) throws IOException {
    try (DataInputStream ins = new DataInputStream(new BufferedInputStream(new FileInputStream(filename)))) {
        return ins.readInt() == 0xffd8ffe0;
    }
}
于 2021-01-11T08:04:06.967 回答