Java - 判斷檔案是否存在issues

一般來說判斷檔案是否存在可以藉由File類別的exists來判斷,雖說如此我們壓根兒可能沒有注意到一點,是否檔案名稱沒有區分大小寫?! 也就是說,相同的副檔名,但是檔案名稱實際是小寫,可是以大寫名稱new File,並呼叫exists是會return true的! 因此對於需要區分大小寫的情況又可以怎麼處理?

這種情況會依據OS的檔案系統而異,以Windows來說NTFS是不區分大小寫的,因此一個目錄內若有檔案test.txt,則不會允許TEST.txt建立之! 應用到Java File exists兩者就會視為同一個檔案! 若我們new File("TEST.txt")呼叫exists,想得到不存在的情況,又該如何處理?

相關程式碼如下:
  1. System.out.println("目前目錄內所有檔案如下:");
  2. File current = new File(".");
  3. for(File subFile : current.listFiles()) {
  4. if(subFile.isFile()) {
  5. System.out.println(subFile.getName());
  6. }
  7. }
  8. System.out.println("-------------------------");
  9. Scanner input = new Scanner(System.in);
  10. try {
  11. System.out.println("判斷檔案是否存在(輸入檔名)?");
  12. String name = input.nextLine();
  13. File f = new File(name);
  14. System.out.println("#Method 1: Call exists()");
  15. if(f.exists()) {
  16. System.out.println("File "+name+" exists");
  17. }else {
  18. System.out.println("File "+name+" non-exists");
  19. }
  20. System.out.println("#Method 2: Call exists() && getCanonicalFile name is not equal 'input name'");
  21. try {
  22. if(f.exists() && f.getCanonicalFile().getName().equals(name)) {
  23. System.out.println("File "+name+" exists");
  24. }else {
  25. System.out.println("File "+name+" non-exists");
  26. }
  27. } catch (IOException e) {
  28. // TODO Auto-generated catch block
  29. e.printStackTrace();
  30. }
  31. }finally {
  32. input.close();
  33. }

依據上述的code,可以透過File API裡的getCanonicalFile()得到real file name,查看其source code,getCanonicalFile()是以getCanonicalPath()重新再new File()之,其與this已是不同的兩個實體了。
因此假設File f = new File("TEST.txt"),此時f.getCanonicalFile().getName()會得到的將是實際的檔案名稱test.txt,而不是TEST.txt (f.getName()才是)

DEMO如下:

留言