web-dev-qa-db-ja.com

Java-ディレクトリ内のファイルを検索する

これは単純なはずですが、「特定のディレクトリで特定のファイル名を検索するプログラムを作成してください」とは言えません。ハードコードされたファイル名とディレクトリの例をいくつか見つけましたが、ユーザーが入力したとおりのディレクトリとファイル名の両方が必要です。

public static void main(String[] args) {
    String fileName = args[0]; // For the filename declaration
    String directory;     
    boolean found;

    File dir = new File(directory);

    File[] matchingFiles = dir.listFiles(new FilenameFilter() {
        public boolean accept(File dir, String fileName) {
            return true;
        }
    });

}
10
A C

次のようなものを試すことができます:

import Java.io.*;
import Java.util.*;
class FindFile 
{
    public void findFile(String name,File file)
    {
        File[] list = file.listFiles();
        if(list!=null)
        for (File fil : list)
        {
            if (fil.isDirectory())
            {
                findFile(name,fil);
            }
            else if (name.equalsIgnoreCase(fil.getName()))
            {
                System.out.println(fil.getParentFile());
            }
        }
    }
    public static void main(String[] args) 
    {
        FindFile ff = new FindFile();
        Scanner scan = new Scanner(System.in);
        System.out.println("Enter the file to be searched.. " );
        String name = scan.next();
        System.out.println("Enter the directory where to search ");
        String directory = scan.next();
        ff.findFile(name,new File(directory));
    }
}

出力は次のとおりです。

J:\Java\misc\load>Java FindFile
Enter the file to be searched..
FindFile.Java
Enter the directory where to search
j:\Java\
FindFile.Java Found in->j:\Java\misc\load
25
Vishal K

** Java 8 *では、ストリームとラムダを使用する代替手段があります。

public static void recursiveFind(Path path, Consumer<Path> c) {
  try (DirectoryStream<Path> newDirectoryStream = Files.newDirectoryStream(path)) {
    StreamSupport.stream(newDirectoryStream.spliterator(), false)
                 .peek(p -> {
                   c.accept(p);
                   if (p.toFile()
                        .isDirectory()) {
                     recursiveFind(p, c);
                   }
                 })
                 .collect(Collectors.toList());
  } catch (IOException e) {
    e.printStackTrace();
  }
}

したがって、これはすべてのファイルを再帰的に印刷します。

recursiveFind(Paths.get("."), System.out::println);

そして、これはファイルを検索します:

recursiveFind(Paths.get("."), p -> { 
  if (p.toFile().getName().toString().equals("src")) {
    System.out.println(p);
  }
});
1
freedev

これは宿題の質問のように見えるので、いくつかのポインタを示します。

適切で特徴的な変数名を指定してください。ここでは、最初にディレクトリに、次にファイルに「fileName」を使用しました。これは混乱を招き、問題の解決には役立ちません。さまざまなことに異なる名前を使用します。

Scannerを何にも使用していないので、ここでは必要ありません。削除してください。

さらに、acceptメソッドはブール値を返す必要があります。現在、文字列を返そうとしています。ブール値は、trueまたはfalseを返すことを意味します。例えば ​​return a > 0;は、aの値に応じて、trueまたはfalseを返す場合があります。だが return fileName;は、文字列であるfileNameの値を返すだけです。

1
amarillion

動的ファイル名フィルターを使用する場合は、FilenameFilterを実装し、コンストラクターに動的名を渡すことができます。

もちろん、これはクラス(オーバーヘッド)ごとにインスタンス化する必要があることを意味しますが、動作します

例:

public class DynamicFileNameFilter implements FilenameFilter {

    private String comparingname;

    public DynamicFileNameFilter(String comparingName){
        this.comparingname = comparingName;
    }

    @Override
    public boolean accept(File dir, String name) {
        File file = new File(name);

        if (name.equals(comparingname) && !file.isDirectory())
            return false;

        else
            return true;
    }

}

必要な場所で使用します:

FilenameFilter fileNameFilter = new DynamicFileNameFilter("thedynamicNameorpatternYouAreSearchinfor");
File[] matchingFiles = dir.listFiles(fileNameFilter);
1
Juan

Java 8+の機能を使用すると、数行でコードを記述できます。

protected static Collection<Path> find(String fileName, String searchDirectory) throws IOException {
    try (Stream<Path> files = Files.walk(Paths.get(searchDirectory))) {
        return files
                .filter(f -> f.getFileName().toString().equals(fileName))
                .collect(Collectors.toList());

    }
}

Files.walkは、指定されたsearchDirectoryを「ルートにしたファイルツリーを歩いている」Stream<Path>を返します。目的のファイルを選択するには、Streamfilesにフィルターのみが適用されます。 Pathのファイル名を指定されたfileNameと比較します。

Files.walkdocumentation には、

このメソッドは、リソースのtry-with-resourcesステートメントまたは同様の制御構造内で使用して、ストリームの操作が完了した後、ストリームの開いているディレクトリがすぐに閉じられるようにする必要があります。

私は try-resource-statement を使用しています。


高度な検索の代替手段は、PathMatcherを使用することです。

protected static Collection<Path> find(String searchDirectory, PathMatcher matcher) throws IOException {
    try (Stream<Path> files = Files.walk(Paths.get(searchDirectory))) {
        return files
                .filter(matcher::matches)
                .collect(Collectors.toList());

    }
}

特定のファイルを見つけるためにそれを使用する方法の例:

public static void main(String[] args) throws IOException {
    String searchDirectory = args[0];
    String fileName = args[1];
    PathMatcher matcher = FileSystems.getDefault().getPathMatcher("regex:.*" + fileName);
    Collection<Path> find = find(searchDirectory, matcher);
    System.out.println(find);
}

詳細: Oracle Finding Filesチュートリアル

1
LuCio

次のコードは、ディレクトリ内のファイルを検索し、その場所を開くのに役立ちます

import Java.io.*;
import Java.util.*;
import Java.awt.Desktop;
public class Filesearch2 {


    public static void main(String[] args)throws IOException {        
        Filesearch2 fs = new Filesearch2();
        Scanner scan = new Scanner(System.in);
        System.out.println("Enter the file to be searched.. " );
        String name = scan.next();
        System.out.println("Enter the directory where to search ");
        String directory = scan.next();
        fs.findFile(name,new File(directory));
    }
    public void findFile(String name,File file1)throws IOException
    {      
        File[] list = file1.listFiles();       
        if(list!=null)  
     {                          
        for(File file2 : list)
        {            
            if (file2.isDirectory())
            {
                findFile(name,file2);             
            }
            else if (name.equalsIgnoreCase(file2.getName()))
            {                                                              
                System.out.println("Found");                
                System.out.println("File found at : "+file2.getParentFile());
                System.out.println("Path diectory: "+file2.getAbsolutePath());
                String p1 = ""+file2.getParentFile();
                File f2 = new File(p1);
                Desktop.getDesktop().open(f2);                               
            }                      
        }        
      }
    }        
}
0
Mr. J

スタックを使用してファイルを検索するには、別のアプローチを使用しました。フォルダー内にフォルダーがある可能性があることに注意してください。 Windows検索よりも高速ではありませんが(私はそれを期待していませんでしたが)、間違いなく正しい結果を提供します。必要に応じてコードを変更してください。このコードは元々、特定のファイル拡張子のファイルパスを抽出するために作成されました:)。最適化をお気軽に。

import Java.io.File;
import Java.io.IOException;
import Java.util.ArrayList;
import Java.util.List;

/**
 * @author Deepankar Sinha
 */
public class GetList {
    public List<String> stack;
    static List<String> lnkFile;
    static List<String> progName;

    int index=-1;
    public static void main(String args[]) throws IOException
    {

        //var-- progFile:Location of the file to be search. 
        String progFile="C:\\";
        GetList obj=new GetList();
        String temp=progFile;
        int i;
        while(!"&%@#".equals(temp))
        {
            File dir=new File(temp);
            String[] directory=dir.list();
            if(directory!=null){
            for(String name: directory)
            {
                if(new File(temp+name).isDirectory())
                    obj.Push(temp+name+"\\");
                else
                    if(new File(temp+name).isFile())
                    {
                        try{
                            //".exe can be replaced with file name to be searched. Just exclude name.substring()... you know what to do.:)
                        if(".exe".equals(name.substring(name.lastIndexOf('.'), name.length())))
                        {
                            //obj.addFile(temp+name,name);
                            System.out.println(temp+name);
                        }
                        }catch(StringIndexOutOfBoundsException e)
                        {
                            //debug purpose
                            System.out.println("ERROR******"+temp+name);
                        }

                    }
            }}
            temp=obj.pop();
        }
        obj.display();

//        for(int i=0;i<directory.length;i++)
//        System.out.println(directory[i]);
    }

    public GetList() {
        this.stack = new ArrayList<>();
        this.lnkFile=new ArrayList<>();
        this.progName=new ArrayList<>();
    }
    public void Push(String dir)
    {
        index++;
        //System.out.println("Push : "+dir+" "+index);
        this.stack.add(index,dir);

    }
    public String pop()
    {
        String dir="";
        if(index==-1)
            return "&%@#";
        else
        {
            dir=this.stack.get(index);
            //System.out.println("POP : "+dir+" "+index);
            index--;

        }
        return dir;
    }

    public void addFile(String name,String name2)
    {
        lnkFile.add(name);
        progName.add(name2);
    }

    public void display()
    {
        GetList.lnkFile.stream().forEach((lnkFile1) -> {
            System.out.println(lnkFile1);
        });
    }

}
0
Deepankar Sinha
public class searchingFile 
{
     static String path;//defining(not initializing) these variables outside main 
     static String filename;//so that recursive function can access them
     static int counter=0;//adding static so that can be accessed by static methods 

    public static void main(String[] args) //main methods begins
    {
        Scanner sc=new Scanner(System.in);
        System.out.println("Enter the path : ");
        path=sc.nextLine(); //storing path in path variable
        System.out.println("Enter file name : ");
        filename=sc.nextLine(); //storing filename in filename variable
        searchfile(path);//calling our recursive function and passing path as argument
        System.out.println("Number of locations file found at : "+counter);//Printing occurences

    }

    public static String searchfile(String path)//declaring recursive function having return 
                                                //type and argument both strings

    {
        File file=new File(path);//denoting the path
        File[] filelist=file.listFiles();//storing all the files and directories in array

    for (int i = 0; i < filelist.length; i++) //for loop for accessing all resources
    {
        if(filelist[i].getName().equals(filename))//if loop is true if resource name=filename
        {
            System.out.println("File is present at : "+filelist[i].getAbsolutePath());
            //if loop is true,this will print it's location
            counter++;//counter increments if file found
        }
        if(filelist[i].isDirectory())// if resource is a directory,we want to inside that folder
        {
            path=filelist[i].getAbsolutePath();//this is the path of the subfolder
            searchfile(path);//this path is again passed into the searchfile function 
                             //and this countinues untill we reach a file which has
                             //no sub directories

        }
    }
    return path;// returning path variable as it is the return type and also 
                // because function needs path as argument.

    }   
}
0
Shruti Mohan

このメソッドは、fileNameが見つかるまで、または残りのすべての結果がnullになるまで、ルートから始まる各ディレクトリを再帰的に検索します。

public static String searchDirForFile(String dir, String fileName) {
    File[] files = new File(dir).listFiles();
    for(File f:files) {
        if(f.isDirectory()) {
            String loc = searchDirForFile(f.getPath(), fileName);
            if(loc != null)
                return loc;
        }
        if(f.getName().equals(fileName))
            return f.getPath();
    }
    return null;
}
0
Kushroom