Walk a directory/Recursively: Difference between revisions

m
m (→‎{{header|Wren}}: Minor tidy)
 
(161 intermediate revisions by 88 users not shown)
Line 2:
[[Category:Recursion]]
 
;Task:
Walk a given directory ''tree'' and print files matching a given pattern.
 
 
'''Note:''' This task is for recursive methods. These tasks should read an entire directory tree, not a ''single directory''. For code examples that read a ''single directory'', see [[Walk a directory/Non-recursively]].
'''Note:''' This task is for recursive methods.   These tasks should read an entire directory tree, not a ''single directory''.
 
 
'''Note:''' Please be careful when running any code examples found here.
 
{{omit from|MUMPS|Maybe it could be done. But not with $ZF unless you wrote a OS level script and called that}}
 
;Related task:
*   [[Walk a directory/Non-recursively]]   (read a ''single directory'').
<br><br>
 
=={{header|11l}}==
{{trans|Nim}}
 
<syntaxhighlight lang="11l">L(filename) fs:walk_dir(‘/’)
I re:‘.*\.mp3’.match(filename)
print(filename)</syntaxhighlight>
 
=={{header|8th}}==
<syntaxhighlight lang="forth">
"*.c" f:rglob \ top of stack now has list of all "*.c" files, recursively
</syntaxhighlight>
 
=={{header|Ada}}==
<langsyntaxhighlight lang="ada">with Ada.Directories; use Ada.Directories;
with Ada.Text_IO;
 
Line 32 ⟶ 52:
begin
Walk (".", "*.adb");
end Test_Directory_Walk;</langsyntaxhighlight>
The solution first enumerates files in a directory, that includes the subdirectories, if their names match the pattern. Then it steps down into each of the subdirectories. The pseudo directories . and .. are excluded. The behavior upon symbolic links depends on the [[OS]] and the implementation of the Ada.Directories package.
 
=={{header|ALGOL 68}}==
<!-- {{does not work with|ALGOL 68|Standard - extensions to language used}} -->
{{works with|ALGOL 68G|Any - tested with release mk15-0.8b.fc9.i386 - uses non-standard library routines ''get directory'' and'' grep in string''.}}
<!-- {{does not work with|ELLA ALGOL 68|Any (with appropriate job cards) - tested with release 1.8.8d.fc9.i386 - ''get directory'' and'' grep in string'' not available in any library ... yet}} -->
<langsyntaxhighlight lang="algol68">INT match=0, no match=1, out of memory error=2, other error=3;
 
STRING slash = "/", pwd=".", parent="..";
Line 64 ⟶ 85:
FI;
 
walk tree(".", match sort a68 and print)</langsyntaxhighlight>
{{out|Sample Output:output}}
<pre>
./Shell_sort_c.a68
Line 79 ⟶ 100:
./Permutation_Sort.a68
</pre>
 
=={{header|Arturo}}==
 
<syntaxhighlight lang="rebol">; list all files at current path
print list.recursive "."
 
; get all files at given path
; and select only the ones we want
 
; just select the files with .md extension
select list.recursive "some/path"
=> [".md" = extract.extension]
 
; just select the files that contain "test"
select list.recursive "some/path"
=> [in? "test"]</syntaxhighlight>
 
=={{header|AutoHotkey}}==
Display all TMP files in Temp directory and its subdirectories.
<langsyntaxhighlight lang="autohotkey">Loop, %A_Temp%\*.tmp,,1
out .= A_LoopFileName "`n"
MsgBox,% out</langsyntaxhighlight>
 
=={{header|Batch FileBaCon}}==
This line will recursively walk though all directories starting from the current directory ".":
<lang dos>dir /a-d %1</lang>
<syntaxhighlight lang="qbasic">PRINT WALK$(".", 1, ".+", TRUE, NL$)</syntaxhighlight>
 
If you wanted to apply some command to each item in a directory tree, then use <code>/R</code> on a <code>FOR</code>. For example, apply the ECHO command to every DLL file in C:\Windows\System32:
 
=={{header|Batch File}}==
A sample code that displays all the EXE files in System32 directory recursively.
<syntaxhighlight lang="dos">dir /s /b "%windir%\System32\*.exe"</syntaxhighlight>
----
If you wanted to apply some command to each item in a directory tree, then use <code>FOR</code> with the switch <code>/R</code>. For example, to apply the ECHO command to every DLL file in C:\Windows\System32:
{{works with|Windows NT|4 or later (includes Windows XP and onward)}}
<langsyntaxhighlight lang="dos">FOR /R C:\Windows\System32 %%F IN (*.DLL) DO ECHO "%%F"</langsyntaxhighlight>
This can be done from outside a batch file (entered directly at the command prompt) by changing the double percent signs (%%) to single percents (%):
<syntaxhighlight lang="dos">FOR /R C:\Windows\System32 %F IN (*.DLL) DO ECHO "%F"</syntaxhighlight>
 
=={{header|BBC BASIC}}==
{{works with|BBC BASIC for Windows}}
<langsyntaxhighlight lang="bbcbasic"> directory$ = "C:\Windows\"
pattern$ = "*.chm"
PROClisttree(directory$, pattern$)
Line 123 ⟶ 166:
SYS "FindClose", sh%
ENDIF
ENDPROC</langsyntaxhighlight>
 
=={{header|C}}==
==={{libheader|POSIX}}===
{{works with|POSIX|.1-2001}}
<langsyntaxhighlight Clang="c">#include <sys/types.h>
#include <sys/stat.h>
#include <unistd.h>
Line 230 ⟶ 273:
}
return 0;
}</langsyntaxhighlight>
 
==={{libheader|BSD libc}}===
With the [http://www.openbsd.org/cgi-bin/man.cgi?query=fts&apropos=0&sektion=3&manpath=OpenBSD+Current&arch=i386&format=html fts(3)] functions from 4.4BSD, this program can sort the files, and can also detect cycles (when a link puts a directory inside itself). This program makes a ''logical traversal'' that follows symbolic links to directories.
 
{{works with|OpenBSD|4.9}}
<langsyntaxhighlight lang="c">#include <sys/types.h>
#include <err.h>
#include <errno.h>
Line 276 ⟶ 317:
* "." and ".." because we never use FTS_SEEDOT.
*/
while ((f = fts_read(tree))) {
switch (f->fts_info) {
case FTS_DNR: /* Cannot read directory */
Line 319 ⟶ 360:
pmatch(".", "*.c");
return 0;
}</langsyntaxhighlight>
 
=== [[Windows]] ===
{{libheader|Win32}}
{{works with|MinGW}}
<langsyntaxhighlight lang="c">#include <windows.h>
#include <stdio.h>
#include <stdlib.h>
Line 561 ⟶ 601:
 
return 0;
}</langsyntaxhighlight>
 
=={{header|Common Lisp}}==
 
{{libheader|CL-FAD}}
 
This example uses the <code>CL-FAD</code> library to achieve compatibility where the ANSI CL standard leaves ambiguities about pathnames.
 
<lang lisp>(defun mapc-directory-tree (fn directory)
(dolist (entry (cl-fad:list-directory directory))
(when (cl-fad:directory-pathname-p entry)
(mapc-directory-tree fn entry))
(funcall fn entry)))</lang>
 
<lang lisp>CL-USER> (mapc-directory-tree (lambda (x)
(when (equal (pathname-type x) "lisp")
(write-line (namestring x))))
"lang/")
/home/sthalik/lang/lisp/.#bitmap.lisp
/home/sthalik/lang/lisp/avg.lisp
/home/sthalik/lang/lisp/bitmap.lisp
/home/sthalik/lang/lisp/box-muller.lisp
/home/sthalik/lang/lisp/displaced-subseq.lisp
[...]</lang>
 
 
=={{header|C sharp|C#}}==
<langsyntaxhighlight lang="csharp">using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
 
namespace ConsoleApplication1RosettaRecursiveDirectory
{
class Program
{
static voidIEnumerable<FileInfo> MainTraverseDirectory(string[] argsrootPath, Func<FileInfo, bool> Pattern)
{
DirectoryInfo tDir = new DirectoryInfo(@"C:\");
string Pattern = "a";
 
TraverseDirs(tDir, Pattern);
Console.Read();
}
 
private static void TraverseDirs(DirectoryInfo dir, string Pattern)
{
//var SubdirsdirectoryStack = new Stack<DirectoryInfo>();
directoryStack.Push(new DirectoryInfo(rootPath));
try // Avoid errors such as "Access Denied"
while (directoryStack.Count > 0)
{
foreachvar (DirectoryInfodir iInfo= in dirdirectoryStack.GetDirectoriesPop());
try
{
ifforeach (iInfo.Namevar i in dir.StartsWithGetDirectories(Pattern))
ConsoledirectoryStack.WriteLinePush("Found dir: " + iInfo.FullNamei);
 
TraverseDirs(iInfo, Pattern);
}
} catch (UnauthorizedAccessException) {
continue; // We don't have access to this directory, so skip it
catch (Exception)
{
}
 
// Subfiles
try // Avoid errors such as "Access Denied"
{
foreach (FileInfo iInfo in dir.GetFiles())
{
if (iInfo.Name.StartsWith(Pattern))
Console.WriteLine("Found file: " + iInfo.FullName);
}
foreach (var f in dir.GetFiles().Where(Pattern)) // "Pattern" is a function
}
catch (Exception) yield return f;
{
}
}
static void Main(string[] args)
{
// Print the full path of all .wmv files that are somewhere in the C:\Windows directory or its subdirectories
foreach (var file in TraverseDirectory(@"C:\Windows", f => f.Extension == ".wmv"))
Console.WriteLine(file.FullName);
Console.WriteLine("Done.");
}
}
}
}</lang>
</syntaxhighlight>
 
=={{header|C++}}==
{{libheader|boost}}
<syntaxhighlight lang="cpp">#include "boost/filesystem.hpp"
 
<lang cpp>#include "boost/filesystem.hpp"
#include "boost/regex.hpp"
#include <iostream>
Line 654 ⟶ 659:
++iter)
{
std::string name = iter->path().leaffilename().string();
if (regex_match(name, pattern))
std::cout << iter->path() << "\n";
}
}</langsyntaxhighlight>
 
{{libheader|std|C++17}}
<syntaxhighlight lang="cpp">
#include <filesystem>
#include <iostream>
 
namespace fs = std::filesystem;
 
int main() {
fs::path current_dir(".");
// list all files containing an mp3 extension
for (auto &file : fs::recursive_directory_iterator(current_dir)) {
if (file.path().extension() == ".mp3")
std::cout << file.path().filename().string() << std::endl;
}
}</syntaxhighlight>
 
=={{header|Caché ObjectScript}}==
 
<syntaxhighlight lang="cos">
Class Utils.File [ Abstract ]
{
 
ClassMethod WalkTree(pDir As %String = "", pMask As %String = "*.*") As %Status
{
// do some validation
If pDir="" Quit $$$ERROR($$$GeneralError, "No directory specified.")
// search input directory for files matching wildcard
Set fs=##class(%ResultSet).%New("%File.FileSet")
Set sc=fs.Execute(pDir, pMask)
While (fs.Next()) {
Write !, fs.Name
// sub-directory
If fs.Type="D" Set sc=..WalkTree(fs.Name, pMask)
}
// finished
Quit $$$OK
}
 
}
</syntaxhighlight>
 
{{out|Example}}
<pre>
USER>Do ##class(Utils.File).WalkTree("/Swsetup/")
 
C:\Swsetup\Monitors
C:\Swsetup\Monitors\HP_w2207_3.0
C:\Swsetup\Monitors\HP_w2207_3.0\Files
C:\Swsetup\Monitors\HP_w2207_3.0\Files\HP_w2207.cat
C:\Swsetup\Monitors\HP_w2207_3.0\Files\HP_w2207.icm
C:\Swsetup\Monitors\HP_w2207_3.0\Files\HP_w2207.inf
C:\Swsetup\Monitors\HP_w2207_3.0\HP Display Installer.exe
C:\Swsetup\Monitors\HP_w2207_3.0\HPx64DRV.exe
C:\Swsetup\Monitors\HP_w2207_3.0\Readme.txt
</pre>
 
=={{header|Clojure}}==
The standard function ''file-seq'' does a tree walk.
<langsyntaxhighlight lang="clojure">(importuse '[clojure.java.io File])
 
(defn walk [dirpath pattern]
(doall (filter #(re-matches pattern (.getName %))
(doseq [file (-> dirpath File. file-seq)]
(if (re-matches pattern (.getNamefile-seq (file dirpath)))))
(println (.getPath file)))))
 
(map #(println (.getPath %)) (walk "src" #".*\.clj")</lang>)
</syntaxhighlight>
 
=={{header|CoffeeScript}}==
{{works with|node.js}}
<syntaxhighlight lang="coffeescript">fs = require 'fs'
 
walk = (dir, f_match, f_visit) ->
_walk = (dir) ->
fns = fs.readdirSync dir
for fn in fns
fn = dir + '/' + fn
if f_match fn
f_visit fn
if fs.statSync(fn).isDirectory()
_walk fn
_walk(dir)
dir = '..'
matcher = (fn) -> fn.match /\.coffee/
action = console.log
walk dir, matcher, action</syntaxhighlight>
 
=={{header|Common Lisp}}==
{{libheader|CL-FAD}}
This example uses the <code>CL-FAD</code> library to achieve compatibility where the ANSI CL standard leaves ambiguities about pathnames. Quicklisp is used to ensure it is loaded. Traversal is depth-first unless <code>:depth-first-p nil</code> is passed.
<syntaxhighlight lang="lisp">(ql:quickload :cl-fad)
(defun mapc-directory-tree (fn directory &key (depth-first-p t))
(dolist (entry (cl-fad:list-directory directory))
(unless depth-first-p
(funcall fn entry))
(when (cl-fad:directory-pathname-p entry)
(mapc-directory-tree fn entry))
(when depth-first-p
(funcall fn entry))))
</syntaxhighlight>
 
<syntaxhighlight lang="lisp">CL-USER> (mapc-directory-tree (lambda (x)
(when (equal (pathname-type x) "lisp")
(write-line (namestring x))))
"lang/")
/home/sthalik/lang/lisp/.#bitmap.lisp
/home/sthalik/lang/lisp/avg.lisp
/home/sthalik/lang/lisp/bitmap.lisp
/home/sthalik/lang/lisp/box-muller.lisp
/home/sthalik/lang/lisp/displaced-subseq.lisp
[...]</syntaxhighlight>
 
=={{header|D}}==
<syntaxhighlight lang="d">void main() {
module std.file provides different walk directory functions (listdir).<br>
import std.stdio, std.file;
This one recursively walks the directory, which can either match by regular expression or unix shell style pattern.
<lang d>import std.stdio;
import std.file;
import std.regexp;
 
// Recursive breadth-first scan (use SpanMode.depth for
void main(string[] args) {
// a depth-first scan):
auto path = args.length > 1 ? args[1] : "." ; // default current
dirEntries("", "*.d", SpanMode.breadth).writeln;
auto pattern = args.length > 2 ? args[2] : "*.*"; // default all file
}</syntaxhighlight>
bool useRegExp = (args.length > 3 && args[3] == "-re") ; // pattern matching method
 
=={{header|Dart}}==
if (args.length > 3 && args[3] == "-re")
<syntaxhighlight lang="dart">
// use Regular Expression
import 'dart:io' show Directory, Platform, File;
foreach (d; listdir(path, RegExp(pattern)))
writefln(d);
else
// use unix shell style pattern matching
foreach (d; listdir(path, pattern))
writefln(d);
}</lang>
This one does not itself walk into a sub directory, but can be recursive by a callback delegate function.
<lang d>import std.stdio;
import std.file;
import std.regexp;
import std.path ;
 
void main(string[]List<String> args) {
var dir = Directory(args[0]);
auto path = args.length > 1 ? args[1] : "." ; // default current
dir.list(recursive: true, followLinks: false).forEach((final cur) {
auto pattern = args.length > 2 ? args[2] : "*.*"; // default all file
if (cur is Directory) {
bool useRegExp = (args.length > 3 && args[3] == "-re") ; // pattern matching method
print("Directory: ${cur.path}");
bool recursive = (args.length <= 4 || args[4] != "-nr") ; // recursive?
}
 
bool matchNPrint if (DirEntry*cur is deFile) {
print("File: ${cur.path}");
bool bPrint = false ;
if(!de.isdir) {}
});
if(useRegExp){
}
if(search(de.name, pattern)) // this _search_ from regexp module
</syntaxhighlight>
writefln(de.name) ;
}else{
if(fnmatch(de.name, pattern)) // this _fnmatch_ from path module
writefln(de.name) ;
}
} else
if(recursive)
listdir(de.name, &matchNPrint) ; // recursive sub dir
return true ; // continue
}
listdir(path, &matchNPrint) ;
}</lang>
 
=={{header|EDelphi}}==
{{libheader| System.IOUtils}}
<syntaxhighlight lang="delphi">
program Walk_a_directory;
 
{$APPTYPE CONSOLE}
<lang e>def walkTree(directory, pattern) {
{$R *.res}
 
uses
System.IOUtils;
 
var
Files: TArray<string>;
FileName, Directory: string;
 
begin
Directory := TDirectory.GetCurrentDirectory; // dir = '.', work to
Files := TDirectory.GetFiles(Directory, '*.*', TSearchOption.soAllDirectories);
 
for FileName in Files do
begin
Writeln(FileName);
end;
 
Readln;
end.
 
</syntaxhighlight>
=={{header|E}}==
<syntaxhighlight lang="e">def walkTree(directory, pattern) {
for name => file in directory {
if (name =~ rx`.*$pattern.*`) {
Line 734 ⟶ 844:
}
}
}</langsyntaxhighlight>
{{out|Example}}
<syntaxhighlight lang="e">? walkTree(<file:/usr/share/man>, "rmdir")
/usr/share/man/man1/rmdir.1
/usr/share/man/man2/rmdir.2</syntaxhighlight>
 
=={{header|Elixir}}==
Example:
<syntaxhighlight lang="elixir">defmodule Walk_directory do
def recursive(dir \\ ".") do
Enum.each(File.ls!(dir), fn file ->
IO.puts fname = "#{dir}/#{file}"
if File.dir?(fname), do: recursive(fname)
end)
end
end
 
Walk_directory.recursive</syntaxhighlight>
<lang e>? walkTree(<file:/usr/share/man>, "rmdir")
 
/usr/share/man/man1/rmdir.1
{{out}}
/usr/share/man/man2/rmdir.2</lang>
<pre>
./check.exs
./e.bat
./foo
./foo/bar
./foo/bar/1
./foo/bar/2
./foo/bar/a
./foo/bar/b
./input.txt
./test.beam
./test.exs
./test.txt
</pre>
 
=={{header|Emacs Lisp}}==
<syntaxhighlight lang="lisp">ELISP> (directory-files-recursively "/tmp/el" "\\.el$")
("/tmp/el/1/c.el" "/tmp/el/a.el" "/tmp/el/b.el")</syntaxhighlight>
 
=={{header|Erlang}}==
Use the builtin function [http://erlang.org/doc/man/filelib.html#fold_files-5 filelib:fold_files/5].
 
{{out}}
<syntaxhighlight lang="erlang">
walk_dir(Path, Pattern) ->
filelib:fold_files(
Path,
Pattern,
true, % Recurse
fun(File, Accumulator) -> [File|Accumulator] end,
[]
)
</syntaxhighlight>
 
<syntaxhighlight lang="erlang">
% Collect every file in the current directory
walkdir:walk_dir(".", ".*").
 
% Collect every file my .config folder that ends with `rc`
walkdir:walk_dir("/home/me/.config/", ".*rc$").
</syntaxhighlight>
 
=={{header|F_Sharp|F#}}==
This code is tail-recursive and lazy.
<syntaxhighlight lang="fsharp">open System.IO
<lang fsharp>
open System.IO
 
let rec getAllFiles dir pattern =
Line 753 ⟶ 915:
 
getAllFiles "c:\\temp" "*.xml"
|> Seq.iter (printfn "%s")</syntaxhighlight>
</lang>
 
=={{header|Factor}}==
<langsyntaxhighlight lang="factor">USE: io.directories.search
 
"." t [
dup ".factor" tail? [ print ] [ drop ] if
] each-file</langsyntaxhighlight>
 
=={{header|Forth}}==
{{works with|gforth|0.67.29}}
<syntaxhighlight lang="forth">
require unix/filestat.fs
require unix/libc.fs
 
: $append ( from len to -- ) 2DUP >R >R COUNT + SWAP MOVE R> R@ C@ + R> C! ;
''Todo: track the full path and print it on matching files.''
 
<lang forth>defer ls-filter
 
: dots? ( name len -- ? ) drop c@ [char] . = ;
dup 1 = if drop c@ [char] . =
else 2 = if dup c@ [char] . = swap 1+ c@ [char] . = and
else drop false then then ;
 
file-stat buffer: statbuf
: ls-r ( dir len -- )
 
open-dir if drop exit then ( dirid)
: isdir ( addr u -- flag )
statbuf lstat ?ior statbuf st_mode w@ S_IFMT and S_IFDIR = ;
 
: (ls-r) ( dir len -- )
pad c@ >r pad $append s" /" pad $append
pad count open-dir if drop r> pad c! exit then ( dirid)
begin
dup pad count + 256 rot read-dir throw
while
pad count + over dots? 0= if \ ignore current andall parenthidden dirsnames
dup pad overcount rot + 2dup ls-filter recurseif
pad over ls-filtercr if2dup type
cr pad swap typethen
isdir if
pad count + swap recurse
else drop then
else drop then
repeat
drop close-dir throwr> ;pad c!
close-dir throw
;
 
: ls-r ( dir len -- ) 0 pad c! (ls-r) ;
 
: c-file?files ( str len -- ? )
dup 3 < if 2drop false exit then
+ 1- dup c@ 32 or
Line 795 ⟶ 968:
1- dup c@ [char] . <> if drop false exit then
drop true ;
' c-file?files is ls-filter
 
: all-files ( str len -- ? ) 2drop true ;
s" ." ls-r</lang>
' all-files is ls-filter
 
s" ." ls-r cr
</syntaxhighlight>
 
 
=={{header|FreeBASIC}}==
<syntaxhighlight lang="freebasic">#include "dir.bi"
 
Sub listFiles(Byref filespec As String, Byval attrib As Integer)
Dim As Integer count = 0
Dim As String filename = Dir(filespec, attrib)
Do While Len(filename) > 0
count += 1
Print filename
filename = Dir()
Loop
Print !"\nArchives count:"; count
End Sub
 
Dim As String mylist = "C:\FreeBASIC\""
Print "Directories:"
listFiles(mylist & "*", fbDirectory)
Print
Print "Archive files:"
listFiles(mylist & "*", fbArchive)
Sleep</syntaxhighlight>
 
=={{header|FutureBasic}}==
<syntaxhighlight lang="futurebasic">
include "NSLog.incl"
 
void local fn EnumerateDirectoryAtURL( dirURL as CFURLRef )
NSDirectoryEnumerationOptions options = NSDirectoryEnumerationSkipsPackageDescendants + ¬
NSDirectoryEnumerationSkipsHiddenFiles
DirectoryEnumeratorRef enumerator = fn FileManagerEnumeratorAtURL( dirURL, NULL, options, NULL, NULL )
CFURLRef url = fn EnumeratorNextObject( enumerator )
while ( url )
if ( fn StringIsEqual( fn URLPathExtension( url ), @"fb" ) )
NSLog(@"%@",url)
end if
url = fn EnumeratorNextObject( enumerator )
wend
end fn
 
fn EnumerateDirectoryAtURL( fn FileManagerURLForDirectory( NSDesktopDirectory, NSUserDomainMask ) )
 
HandleEvents
</syntaxhighlight>
 
=={{header|Gambas}}==
'''[https://gambas-playground.proko.eu/?gist=f48f8d5c2e2e85a8f80bcdc0124a35a5 Click this link to run this code]'''
<syntaxhighlight lang="gambas">Public Sub Main()
Dim sTemp As String
For Each sTemp In RDir("/etc", "*.d")
Print sTemp
Next
 
End</syntaxhighlight>
Output:
<pre>
sysctl.d
systemd/ntp-units.d
pam.d
security/limits.d
security/namespace.d
insserv.conf.d
udev/hwdb.d
....
</pre>
 
=={{header|GAP}}==
<langsyntaxhighlight lang="gap">Walk := function(name, op)
local dir, file, e;
dir := Directory(name);
Line 816 ⟶ 1,061:
 
# This will print filenames
Walk(".", Display);</langsyntaxhighlight>
 
=={{header|Go}}==
<langsyntaxhighlight lang="go">package main
 
import (
"fmt"
"path/filepath"
"os"
"path/filepath"
)
 
func VisitFile(fp string, fi os.FileInfo, err error) error {
type MyVisitor struct{} // a type to satisfy filepath.Visitor interface
if err != nil {
 
fmt.Println(err) // can't walk here,
func (MyVisitor) VisitDir(string, *os.FileInfo) bool {
return nil // but continue walking elsewhere
return true
}
}
if fi.IsDir() {
 
return nil // not a file. ignore.
func (MyVisitor) VisitFile(fp string, _ *os.FileInfo) {
}
if filepath.Ext(fp) == ".mp3" {
matched, err := filepath.Match("*.mp3", fi.Name())
if err != nil {
fmt.Println(err) // malformed pattern
return err // this is fatal.
}
if matched {
fmt.Println(fp)
}
return nil
}
 
func main() {
filepath.Walk("/", MyVisitor{}, nilVisitFile)
}</langsyntaxhighlight>
 
=={{header|Groovy}}==
Search text files in current directory tree in a depth-first fashion:
 
<syntaxhighlight lang="groovy">new File('.').eachFileRecurse {
Print all text files in the current directory tree
<lang groovy>new File('.').eachFileRecurse {
if (it.name =~ /.*\.txt/) println it;
}</langsyntaxhighlight>
 
Shorter variant:
=={{header|GUISS}}==
<syntaxhighlight lang="groovy">new File('.').eachFileRecurse ~/.*\.txt/, { println it }</syntaxhighlight>
 
Variant processing only files:
Here we list all files that match the pattern m*.txt in "My Documents" and all of its subfolders:
<syntaxhighlight lang="groovy">new File('.').eachFileRecurse FILES, ~/.*\.txt/, { println it }</syntaxhighlight>
 
Flexible search, traversal can be adapted by providing various options in the options Map, see documentation of method:
<lang guiss>Start,Find,Files and Folders,Dropdown: Look in>My Documents,
[http://docs.groovy-lang.org/latest/html/groovy-jdk/java/io/File.html#traverse(java.util.Map,%20groovy.lang.Closure) traverse(Map options, Closure closure)]
Inputbox: filename>m*.txt,Button:Search</lang>
<syntaxhighlight lang="groovy">new File('.').traverse(
type : FILES,
nameFilter : ~/.*\.txt/,
preDir : { if (it.name == '.svn') return SKIP_SUBTREE },
) { println it }
</syntaxhighlight>
 
=={{header|GUISS}}==
Here we list all files that match the pattern m*.txt in "My Documents" and all of its subfolders:
<syntaxhighlight lang="guiss">Start,Find,Files and Folders,Dropdown: Look in>My Documents,
Inputbox: filename>m*.txt,Button:Search</syntaxhighlight>
 
=={{header|Haskell}}==
 
Using the packages [http://hackage.haskell.org/package/directory-1.2.5.0/docs/System-Directory.html#v:getCurrentDirectory directory] and [https://hackage.haskell.org/package/filemanip-0.3.6.3/docs/System-FilePath-Find.html#v:find filemanip]
<lang haskell>import System.Environment
 
<syntaxhighlight lang="haskell">import System.Environment
import System.Directory
import System.FilePath.Find
 
search pat dir = find always (fileName ~~? pat)
find always (fileName ~~? pat) dir
 
main = do [pat] <- getArgs
[pat] <- getArgs
dir <- getCurrentDirectory
dir <- getCurrentDirectory
files <- search pat dir
files <- search pat dir
mapM_ putStrLn files</lang>
mapM_ putStrLn files</syntaxhighlight>
or more classic way:
<syntaxhighlight lang="haskell">import System.FilePath.Posix
import System.Directory
import System.IO
 
dirWalk :: (FilePath -> IO ()) -> FilePath -> IO ()
=={{header|IDL}}==
dirWalk filefunc top = do
isDirectory <- doesDirectoryExist top
if isDirectory
then do
files <- listDirectory top
mapM_ (dirWalk filefunc . (top </>)) files
else filefunc top
 
main :: IO ()
<lang idl>result = file_search( directory, '*.txt', count=cc )</lang>
main = do
 
hSetEncoding stdout utf8
This will descend down the directory/ies in the variable <tt>"directory"</tt> (which can be an array) returning an array of strings with the names of the files matching "*.txt" and placing the total number of matches into the variable <tt>"cc"</tt>
hSetEncoding stdin utf8
let worker fname
| takeExtension fname == ".hs" = putStrLn fname
| otherwise = return ()
dirWalk worker "."</syntaxhighlight>
 
== Icon and Unicon ==
==={{header|Icon}}===
Icon doesn't support 'stat' or 'open' of a directory; however, information can be obtained by use of the <code>system</code> function to access command line.
==={{header|Unicon}}===
<syntaxhighlight lang="unicon">
<lang Unicon>procedure main()
###########################
# A sequential solution #
###########################
 
procedure main()
every write(!getdirs(".")) # writes out all directories from the current directory down
end
Line 896 ⟶ 1,184:
return D
}
end</lang>
 
#########################
=={{header|J}}==
# A threaded solution #
#########################
 
import threads
<lang j>require 'dir'
 
>{."1 dirtree '*.html'</lang>
global n, # number of the concurrently running threads
maxT, # Max number of concurrent threads ("soft limit")
tot_threads # the total number of threads created in the program
 
procedure main(argv)
target := argv[1] | stop("Usage: tdir [dir name] [#threads]. #threads default to 2* the number of cores in the machine.")
tot_threads := n := 1
maxT := ( integer(argv[2])|
(&features? if ="CPU cores " then cores := integer(tab(0)) * 2) | # available cores * 2
4) # default to 4 threads
t := milliseconds()
L := getdirs(target) # writes out all directories from the current directory down
write((*\L)| 0, " directories in ", milliseconds() - t,
" ms using ", maxT, "-concurrent/", tot_threads, "-total threads" )
end
 
procedure getdirs(s) # return a list of directories beneath the directory 's'
local D,d,f, thrd
 
if ( stat(s).mode ? ="d" ) & ( d := open(s) ) then {
D := [s]
while f := read(d) do
if not ( ".." ? =f ) then # skip . and ..
if n>=maxT then # max thread count reached
D |||:= getdirs(s || "/" ||f)
else # spawn a new thread for this directory
{/thrd:=[]; n +:= 1; put(thrd, thread getdirs(s || "/" ||f))}
close(d)
 
if \thrd then{ # If I have threads, collect their results
tot_threads +:= *thrd
n -:= 1 # allow new threads to be spawned while I'm waiting/collecting results
every wait(th := !thrd) do { # wait for the thread to finish
n -:= 1
D |||:= <@th # If the thread produced a result, it is going to be
# stored in its "outbox", <@th in this case serves as
# a deferred return since the thread was created by
# thread getdirs(s || "/" ||f)
# this is similar to co-expression activation semantics
}
n +:= 1
}
return D
}
end</syntaxhighlight>
 
=={{header|IDL}}==
<syntaxhighlight lang="idl">result = file_search( directory, '*.txt', count=cc )</syntaxhighlight>
This will descend down the directory/ies in the variable <tt>"directory"</tt> (which can be an array) returning an array of strings with the names of the files matching "*.txt" and placing the total number of matches into the variable <tt>"cc"</tt>
 
=={{header|J}}==
<syntaxhighlight lang="j">require 'dir'
>{."1 dirtree '*.html'</syntaxhighlight>
 
The verb <tt>dirtree</tt> returns a file listing of a directory tree as a boxed matrix with file names in the first column. The primitives <tt>>{."1</tt> will return the unboxed contents of the first column.
Line 908 ⟶ 1,252:
 
=={{header|Java}}==
 
{{works with|Java|1.4+}}
Done using no pattern. But with end string comparison which gave better results.
<syntaxhighlight lang="java">import java.io.File;
 
<lang java>import java.io.File;
public class MainEntry {
public static void main(String[] args) {
Line 927 ⟶ 1,270:
File listFile[] = dir.listFiles();
if (listFile != null) {
for (int i=0; i<listFile.length; i++) {
if (listFile[i].isDirectory()) {
walkin(listFile[i]);
} else {
if (listFile[i].getName().endsWith(pattern)) {
System.out.println(listFile[i].getPath());
}
Line 939 ⟶ 1,282:
}
}
}</langsyntaxhighlight>
{{works with|Java|7+}}
Luckily, <code>java.nio.file.Files</code> gives us a <code>walkFileTree</code> method that does exactly what this task calls for.
<syntaxhighlight lang="java5">import java.io.IOException;
import java.nio.file.*;
import java.nio.file.attribute.BasicFileAttributes;
public class WalkTree {
public static void main(String[] args) throws IOException {
Path start = FileSystems.getDefault().getPath("/path/to/file");
Files.walkFileTree(start, new SimpleFileVisitor<Path>() {
@Override
public FileVisitResult visitFile(Path file,
BasicFileAttributes attrs) throws IOException {
if (file.toString().endsWith(".mp3")) {
System.out.println(file);
}
return FileVisitResult.CONTINUE;
}
});
}
}</syntaxhighlight>
{{works with|Java|8+}}
<syntaxhighlight lang="java">import java.io.IOException;
import java.nio.file.*;
 
public class WalkTree {
public static void main(String[] args) throws IOException {
Path start = FileSystems.getDefault().getPath("/path/to/file");
Files.walk(start)
.filter( path -> path.toFile().isFile())
.filter( path -> path.toString().endsWith(".mp3"))
.forEach( System.out::println );
}
}
</syntaxhighlight>
 
=={{header|JavaScript}}==
{{works with|JScript}}
<langsyntaxhighlight lang="javascript">var fso = new ActiveXObject("Scripting.FileSystemObject");
 
function walkDirectoryTree(folder, folder_name, re_pattern) {
Line 972 ⟶ 1,350:
}
 
walkDirectoryTree(dir, dir.name, '\\.txt$');</langsyntaxhighlight>
 
=={{header|MathematicaJulia}}==
{{works with|Julia|1.2}}
The built-in function FileNames does exactly this:
 
<lang Mathematica>FileNames[] lists all files in the current working directory.
<syntaxhighlight lang="julia">rootpath = "/home/user/music"
FileNames[form] lists all files in the current working directory whose names match the string pattern form.
pattern = r".mp3$"
FileNames[{form1,form2,...}] lists all files whose names match any of the form_i.
 
FileNames[forms,{dir1,dir2,...}] lists files with names matching forms in any of the directories dir_i.
for (root, dirs, files) in walkdir(rootpath)
FileNames[forms,dirs,n] includes files that are in subdirectories up to n levels down.</lang>
for file in files
if occursin(pattern, file) println(file) end
end
end</syntaxhighlight>
 
=={{header|Kotlin}}==
<syntaxhighlight lang="scala">// version 1.2.0
 
import java.io.File
 
fun walkDirectoryRecursively(dirPath: String, pattern: Regex): Sequence<String> {
val d = File(dirPath)
require (d.exists() && d.isDirectory())
return d.walk().map { it.name }.filter { it.matches(pattern) }.sorted().distinct() }
 
fun main(args: Array<String>) {
val r = Regex("""^v(a|f).*\.h$""") // get all C header files beginning with 'va' or 'vf'
val files = walkDirectoryRecursively("/usr/include", r)
for (file in files) println(file)
}
</syntaxhighlight>
 
Output (Ubuntu 14.04):
<pre>
valarray_after.h
valarray_array.h
valarray_before.h
values.h
vfio.h
vfs.h
</pre>
 
=={{header|Lasso}}==
<syntaxhighlight lang="lasso">// care only about visible files and filter out any directories
define dir -> eachVisibleFilePath() => {
return with name in self -> eachEntry where #name -> second != io_dir_dt_dir where not(#name -> first -> beginswith('.')) select .makeFullPath(#name -> first)
}
 
// care only about visible directories and filter out any files
define dir -> eachVisibleDir() => {
return with name in self -> eachEntry where #name -> second == io_dir_dt_dir where not(#name -> first -> beginswith('.')) select dir(.makeFullPath(#name -> first + '/'))
}
 
// Recursively walk the directory tree and find all files and directories
// return only paths to files
define dir -> eachVisibleFilePathRecursive(-dirFilter = void) => {
local(files = .eachVisibleFilePath)
with dir in .eachVisibleDir
where !#dirFilter || #dirFilter(#dir -> realPath)
do {
#files = tie(#files, #dir -> eachVisibleFilePathRecursive(-dirFilter = #dirFilter))
}
return #files
}
 
local(matchingfilenames = array)
 
with filepath in dir('/') -> eachVisibleFilePathRecursive
where #filepath -> endswith('.lasso')
let filename = #filepath -> split('/') -> last
do #matchingfilenames -> insert(#filename)
 
#matchingfilenames</syntaxhighlight>
-> array(myfile.lasso, test.lasso, rosetta.lasso)
 
=={{header|LiveCode}}==
<syntaxhighlight lang="livecode">function pathsForDirectoryAndWildcardPattern pDirectory, pWildcardPattern
-- returns a return-delimited list of long file names
-- the last character in the list is a return, unless the list is empty
filter files(pDirectory) with pWildcardPattern
repeat for each line tFile in it
put pDirectory & slash & tFile & cr after tPaths
end repeat
filter folders(pDirectory) without ".."
repeat for each line tFolder in it
put pathsForDirectoryAndWildcardPattern(pDirectory & slash & tFolder, pWildcardPattern) after tPaths
end repeat
return tPaths
end pathsForDirectoryAndWildcardPattern</syntaxhighlight>
 
Example
<syntaxhighlight lang="livecode">put pathsForDirectoryAndWildcardPattern(the documents folder, "*.livecode*"</syntaxhighlight>
Output
<pre>...
/Users/xxx/Documents/abc.livecode
/Users/xxx/Documents/def.livecodescript
...</pre>
<nowiki>--~~~~</nowiki>
 
=={{header|Lua}}==
Lua itself is extremely spartanic as it is meant for embedding. As lfs (LuaFileSystem) is about as standard an extension as it gets, we use that.
<syntaxhighlight lang="lua">local lfs = require("lfs")
 
-- This function takes two arguments:
-- - the directory to walk recursively;
-- - an optional function that takes a file name as argument, and returns a boolean.
function find(self, fn)
return coroutine.wrap(function()
for f in lfs.dir(self) do
if f ~= "." and f ~= ".." then
local _f = self .. "/" .. f
if not fn or fn(_f) then
coroutine.yield(_f)
end
if lfs.attributes(_f, "mode") == "directory" then
for n in find(_f, fn) do
coroutine.yield(n)
end
end
end
end
end)
end
 
-- Examples
-- List all files and directories
for f in find("directory") do
print(f)
end
 
-- List lua files
for f in find("directory", function(self) return self:match("%.lua$") end) do
print(f)
end
 
-- List directories
for f in find("directory", function(self) return "directory" == lfs.attributes(self, "mode") end) do
print(f)
end</syntaxhighlight>
 
Lua provides functions such as os.execute([command]) and io.popen(prog [, mode]). Below an example for Windows users having io.popen at their disposal. Mind you, it may pop-up a command window.
<syntaxhighlight lang="lua">-- Gets the output of given program as string
-- Note that io.popen is not available on all platforms
local function getOutput(prog)
local file = assert(io.popen(prog, "r"))
local output = assert(file:read("*a"))
file:close()
return output
end
 
-- Iterates files in given directory
local function files(directory, recursively)
-- Use windows" dir command
local directory = directory:gsub("/", "\\")
local filenames = getOutput(string.format("dir %s %s/B/A:A", directory, recursively and '/S' or ''))
-- Function to be called in "for filename in files(directory)"
return coroutine.wrap(function()
for filename in filenames:gmatch("([^\r\n]+)") do
coroutine.yield(filename)
end
end)
end
 
-- Walk "C:/Windows" looking for executables
local directory = "C:/Windows"
local pattern = ".*%.exe$" -- for finding executables
for filename in files(directory, true) do
if filename:match(pattern) then
print(filename)
end
end</syntaxhighlight>
 
=={{header|Mathematica}}/{{header|Wolfram Language}}==
The built-in function <code>FileNames</code> does exactly this:
:<code>FileNames[]</code> lists all files in the current working directory.
:<code>FileNames[form]</code> lists all files in the current working directory whose names match the string pattern form.
:<code>FileNames[{form1,form2,...}]</code> lists all files whose names match any of the form_i.
:<code>FileNames[forms,{dir1,dir2,...}]</code> lists files with names matching forms in any of the directories dir_i.
:<code>FileNames[forms,dirs,n]</code> includes files that are in subdirectories up to n levels down.
Examples (find all files in current directory, find all png files in root directory, find all files on the hard drive):
<langsyntaxhighlight Mathematicalang="mathematica">FileNames["*"]
FileNames["*.png", $RootDirectory]
FileNames["*", {"*"}, Infinity]</langsyntaxhighlight>
the result can be printed with Print /@ FileNames[....]
 
=={{header|MATLAB}} / {{header|Octave}}==
<syntaxhighlight lang="matlab">function walk_a_directory_recursively(d, pattern)
f = dir(fullfile(d,pattern));
for k = 1:length(f)
fprintf('%s\n',fullfile(d,f(k).name));
end;
 
f = dir(d);
n = find([f.isdir]);
for k=n(:)'
if any(f(k).name~='.')
walk_a_directory_recursively(fullfile(d,f(k).name), pattern);
end;
end;
end; </syntaxhighlight>
 
=={{header|MAXScript}}==
<langsyntaxhighlight lang="maxscript">fn walkDir dir pattern =
(
dirArr = GetDirectories (dir + "\\*")
Line 1,005 ⟶ 1,572:
)
 
walkDir "C:" "*.txt"</langsyntaxhighlight>
 
=={{header|MoonScript}}==
MoonScript compiles to Lua, which itself is extremely spartanic as it is meant for embedding. As lfs (LuaFileSystem) is about as standard an extension as it gets, we use that.
 
<syntaxhighlight lang="moonscript">lfs = require "lfs"
 
-- This function takes two arguments:
-- - the directory to walk recursively;
-- - an optional function that takes a file name as argument, and returns a boolean.
find = (fn) => coroutine.wrap ->
for f in lfs.dir @
if f ~= "." and f ~= ".."
_f = @.."/"..f
coroutine.yield _f if not fn or fn _f
if lfs.attributes(_f, "mode") == "directory"
coroutine.yield n for n in find _f, fn
 
-- Examples
-- List all files
print f for f in find "templates"
 
-- List moonscript files
print f for f in find "templates", => @\match "%.moon$"
 
-- List directories
print f for f in find "templates", => "directory" == lfs.attributes @, "mode"</syntaxhighlight>
 
=={{header|Nanoquery}}==
<syntaxhighlight lang="nanoquery">import Nanoquery.IO
 
def get_files(dirname)
local_filenames = new(File).listDir(dirname)
 
filenames = {}
 
for i in range(0, len(local_filenames) - 1)
if len(local_filenames) > 0
if not new(File, local_filenames[i]).isDir()
filenames.append(local_filenames[i])
else
filenames += get_files(local_filenames[i])
end
end
end
 
return filenames
end
 
f = new(File)
for file in get_files("/")
if lower(f.getExtension(file)) = ".mp3"
println file
end
end</syntaxhighlight>
 
=={{header|Nim}}==
The “os” standard module provides an iterator to walk recursively a directory. The iterator allows some filtering about the kind of entry to consider: real files (default), symbolic links to files, directories, symbolic links to directories. It doesn’t allow to specify a pattern, so filtering on name should be done using another mechanism (for instance, regular expressions).
 
<syntaxhighlight lang="nim">import os, re
 
for file in walkDirRec "/":
if file.match re".*\.mp3":
echo file</syntaxhighlight>
 
=={{header|Objeck}}==
<syntaxhighlight lang="objeck">use System.IO.File;
 
class Test {
function : Main(args : String[]) ~ Nil {
if(args->Size() = 2) {
DescendDir(args[0], args[1]);
};
}
 
function : DescendDir(path : String, pattern : String) ~ Nil {
files := Directory->List(path);
each(i : files) {
file := files[i];
if(<>file->StartsWith('.')) {
dir_path := String->New(path);
dir_path += '/';
dir_path += file;
if(Directory->Exists(dir_path)) {
DescendDir(dir_path, pattern);
}
else if(File->Exists(dir_path) & dir_path->EndsWith(pattern)) {
dir_path->PrintLine();
};
};
};
}
}</syntaxhighlight>
 
=={{header|Objective-C}}==
<langsyntaxhighlight lang="objc">NSString *dir = NSHomeDirectory();
NSDirectoryEnumerator *de = [[NSFileManager defaultManager] enumeratorAtPath:dir];
 
for (NSString *file; in de)
while ((file = [de nextObject]))
if ([[file pathExtension] isEqualToString:@"mp3"])
NSLog(@"%@", file);</langsyntaxhighlight>
 
=={{header|OCaml}}==
<langsyntaxhighlight lang="ocaml">#!/usr/bin/env ocaml
#load "unix.cma"
#load "str.cma"
Line 1,023 ⟶ 1,682:
 
let walk_directory_tree dir pattern =
let select strre = Str.string_match (Str.regexp pattern) strin 0(* inpre-compile the regexp *)
let select str = Str.string_match re str 0 in
let rec walk acc = function
| [] -> (acc)
Line 1,046 ⟶ 1,706:
let results = walk_directory_tree "/usr/local/lib/ocaml" ".*\\.cma" in
List.iter print_endline results;
;;</langsyntaxhighlight>
 
=={{header|ooRexx}}==
===version 1===
<syntaxhighlight lang="oorexx">/* REXX ---------------------------------------------------------------
* List all file names on my disk D: that contain the string TTTT
*--------------------------------------------------------------------*/
call SysFileTree "d:\*.*", "file", "FS" -- F get all Files
-- S search subdirectories
Say file.0 'files on disk'
do i=1 to file.0
If pos('TTTT',translate(file.i))>0 Then
say file.i
end</syntaxhighlight>
{{out}}
<pre>1127869 files on disk
1/21/15 10:31p 340 A---- d:\tttt.txt
1/21/15 10:37p 8 A---- d:\test\test2\test3\attttb.txt
1/21/15 10:32p 340 A---- d:\_l\TtTttt.txt</pre>
===version 2===
Get only files matching the file-spec.
<syntaxhighlight lang="oorexx">/* REXX ---------------------------------------------------------------
* List all file names on my disk D: that contain the string TTTT
*--------------------------------------------------------------------*/
call SysFileTree "*TTTT*.*", "file", "FS" -- F get all Files
-- S search subdirectories
Say file.0 'files found'
do i=1 to file.0
If pos('TTTT',translate(file.i))>0 Then
say file.i
end </syntaxhighlight>
{{out}}
<pre>3 files found
1/21/15 10:31p 340 A---- D:\tttt.txt
1/21/15 10:37p 8 A---- D:\test\test2\test3\attttb.txt
1/21/15 10:32p 340 A---- D:\_l\TtTttt.txt </pre>
 
=={{header|Oz}}==
<langsyntaxhighlight lang="oz">declare
[Path] = {Module.link ['x-oz://system/os/Path.ozf']}
[Regex] = {Module.link ['x-oz://contrib/regex']}
Line 1,067 ⟶ 1,762:
end
in
{WalkDirTree "." ".*\\.oz$" System.showInfo}</langsyntaxhighlight>
 
=={{header|Perl}}==
 
Use the <tt>File::Find</tt> module from CPAN:
 
{{works with|Perl|5.x}}
<langsyntaxhighlight lang="perl">use File::Find qw(find);
my $dir = '.';
my $pattern = 'foo';
findmy $callback = sub { print $File::Find::name, "\n" if /$pattern/}, $dir};</lang>
find $callback, $dir;</syntaxhighlight>
 
Or if you need maximum performance and are on a 'nix system, open a pipe to the GNU <tt>find</tt> program:
=={{header|Perl 6}}==
Uses File::Find from [http://github.com/tadzik/perl6-File-Tools File-Tools]
 
<syntaxhighlight lang="perl">sub shellquote { "'".(shift =~ s/'/'\\''/gr). "'" }
<lang perl6>use File::Find;
 
sub find_files {
.say for find(dir => '.').grep(/foo/);</lang>
my $dir = shellquote(shift);
my $test = shellquote(shift);
local $/ = "\0";
open my $pipe, "find $dir -iname $test -print0 |" or die "find: $!.\n";
while (<$pipe>) { print "$_\n"; } # Here you could do something else with each file path, other than simply printing it.
close $pipe;
}
 
find_files('.', '*.mp3');</syntaxhighlight>
 
Or using the recently popular Path::Tiny
 
<syntaxhighlight lang="perl">#!/usr/bin/perl
 
use strict; # https://rosettacode.org/wiki/Walk_a_directory/Recursively
use warnings;
use Path::Tiny;
 
path('.')->visit( sub {/\.c$/ and print "$_\n"}, {recurse => 1} );</syntaxhighlight>
 
=={{header|Phix}}==
{{libheader|Phix/basics}}
There is a builtin routine for this, walk_dir() - if interested you can find the full implementation in builtins\file.e (an autoinclude).
 
<!--<syntaxhighlight lang="phix">-->
<span style="color: #008080;">function</span> <span style="color: #000000;">find_pfile</span><span style="color: #0000FF;">(</span><span style="color: #004080;">string</span> <span style="color: #000000;">pathname</span><span style="color: #0000FF;">,</span> <span style="color: #004080;">sequence</span> <span style="color: #000000;">dirent</span><span style="color: #0000FF;">)</span>
<span style="color: #008080;">if</span> <span style="color: #7060A8;">match</span><span style="color: #0000FF;">(</span><span style="color: #008000;">"pfile.e"</span><span style="color: #0000FF;">,</span><span style="color: #000000;">dirent</span><span style="color: #0000FF;">[</span><span style="color: #000000;">D_NAME</span><span style="color: #0000FF;">])</span> <span style="color: #008080;">then</span>
<span style="color: #000080;font-style:italic;">-- return pathname&dirent[D_NAME] -- as below</span>
<span style="color: #0000FF;">?</span><span style="color: #000000;">pathname</span><span style="color: #0000FF;">&</span><span style="color: #008000;">"\\"</span><span style="color: #0000FF;">&</span><span style="color: #000000;">dirent</span><span style="color: #0000FF;">[</span><span style="color: #000000;">D_NAME</span><span style="color: #0000FF;">]</span>
<span style="color: #008080;">end</span> <span style="color: #008080;">if</span>
<span style="color: #008080;">return</span> <span style="color: #000000;">0</span> <span style="color: #000080;font-style:italic;">-- non-zero terminates scan</span>
<span style="color: #008080;">end</span> <span style="color: #008080;">function</span>
<span style="color: #0000FF;">?</span><span style="color: #7060A8;">walk_dir</span><span style="color: #0000FF;">(</span><span style="color: #008000;">"C:\\Program Files (x86)\\Phix"</span><span style="color: #0000FF;">,</span><span style="color: #000000;">find_pfile</span><span style="color: #0000FF;">,</span><span style="color: #000000;">1</span><span style="color: #0000FF;">)</span>
<!--</syntaxhighlight>-->
 
Passing 1 as the third parameter makes it scan recursively.
{{out}}
<pre>
"C:\\Program Files (x86)\\Phix\\.hg\\store\\data\\builtins\\pfile.e.i"
"C:\\Program Files (x86)\\Phix\\builtins\\pfile.e"
0
</pre>
<small>[the final 0 is from the walk_dir() call, whereas both paths are printed from inside find_pfile()]</small>
 
=={{header|PHP}}==
<langsyntaxhighlight PHPlang="php">function findFiles($dir = '.', $pattern = '/./'){
$prefix = $dir . '/';
$dir = dir($dir);
Line 1,096 ⟶ 1,839:
}
}
findFiles('./foo', '/\.bar$/');</langsyntaxhighlight>
 
This implementation uses Perl compatible regular expressions to match the whole path of the file
 
=={{header|=PHP BFS (Breadth First Search)}}===
<syntaxhighlight lang="php">/*
<lang PHP>/*
This script performs a BFS search with recursion protection
it is often faster to search using this method across a
Line 1,118 ⟶ 1,860:
Released as open license for any use.
*/
if ($_SERVER['argc'] < 3) {
printf(
"\n" .
"Usage: %s (path) (search) [stop]\n" .
" path the path to search\n" .
" search the filename to search for\n" .
" stop stop when file found, default 1\n" .
"\n"
, $_SERVER['argv'][0]);
exit(1);
}
 
$path = $_SERVER['argv'][1];
$search = $_SERVER['argv'][2];
if ($_SERVER['argc'] > 3)
$stop = $_SERVER['argv'][3] == 1;
else $stop = true;
 
/* get the absolute path and ensure it has a trailing slash */
$path = realpath($path);
if (substr($path, -1) !== DIRECTORY_SEPARATOR)
$path .= DIRECTORY_SEPARATOR;
 
$queue = array($path => 1);
$done = array();
$index = 0;
while(!empty($queue)) {
/* get one element from the queue */
foreach($queue as $path => $unused) {
unset($queue[$path]);
$done[$path] = null;
break;
}
unset($unused);
 
$dh = @opendir($path);
if (!$dh) continue;
while(($filename = readdir($dh)) !== false) {
/* dont recurse back up levels */
if ($filename == '.' || $filename == '..')
continue;
 
/* check if the filename matches the search term */
if ($filename == $search) {
echo "$path$filename\n";
if ($stop)
break 2;
}
 
/* get the full path */
$filename = $path . $filename;
 
/* resolve symlinks to their real path */
if (is_link($filename))
$filename = realpath($filename);
 
/* queue directories for later search */
if (is_dir($filename)) {
/* ensure the path has a trailing slash */
if (substr($filename, -1) !== DIRECTORY_SEPARATOR)
$filename .= DIRECTORY_SEPARATOR;
 
/* check if we have already queued this path, or have done it */
if (array_key_exists($filename, $queue) || array_key_exists($filename, $done))
continue;
 
/* queue the file */
$queue[$filename] = null;
}
}
closedir($dh);
}
closedir($dh);
</lang>
}</syntaxhighlight>
 
=={{header|PicoLisp}}==
<langsyntaxhighlight PicoLisplang="picolisp">(let Dir "."
(recur (Dir)
(for F (dir Dir)
Line 1,201 ⟶ 1,942:
(recurse Path) ) # Yes: Recurse
((match '`(chop "s@.l") (chop F)) # Matches 's*.l'?
(println Path) ) ) ) ) ) ) # Yes: Print it</langsyntaxhighlight>
{{out}}
Output:
<pre>"./src64/sym.l"
"./src64/subr.l"
Line 1,208 ⟶ 1,949:
 
=={{header|Pop11}}==
Built-in procedure <code>sys_file_match</code> searches directories or directory trees using shell-like patterns (three dots indicate search for subdirectory tree).
 
<syntaxhighlight lang="pop11">lvars repp, fil;
Built-in procedure sys_file_match searches directories or directory
trees using shell-like patterns (three dots indicate search for
subdirectory tree).
<lang pop11>lvars repp, fil;
;;; create path repeater
sys_file_match('.../*.p', '', false, 0) -> repp;
Line 1,219 ⟶ 1,957:
;;; print the path
printf(fil, '%s\n');
endwhile;</langsyntaxhighlight>
 
=={{header|PowerShell}}==
In PowerShell the <code>Get-ChildItem</code> cmdlet allows for recursive filtering on file names with simple wildcards:
<langsyntaxhighlight lang="powershell">Get-ChildItem -Recurse -Include *.mp3</langsyntaxhighlight>
For more complex filtering criteria the result of <code>Get-ChildItem</code> can be piped into the <code>Where-Object</code> cmdlet:
<langsyntaxhighlight lang="powershell">Get-ChildItem -Recurse |
Where-Object { $_.Name -match 'foo[0-9]' -and $_.Length -gt 5MB }</langsyntaxhighlight>
To perform an action on every matching file the results can be piped into the <code>ForEach-Object</code> cmdlet:
<langsyntaxhighlight lang="powershell">Get-ChildItem -Recurse |
Where-Object { $_.Name -match 'foo[0-9]' } |
ForEach-Object { ... }</langsyntaxhighlight>
''Note:'' To include only ''files'' instead of directories too each of the above needs an additional<code>Where-Object</code> filter:
<langsyntaxhighlight lang="powershell">| Where-Object { !$_.PSIsContainer }</langsyntaxhighlight>
 
 
=={{header|Prolog}}==
{{works with|Swi-Prolog|8.3}}
<syntaxhighlight lang="prolog">
% submitted by Aykayayciti (Earl Lamont Montgomery)
% altered from fsaenzperez April 2019
% (swi-prolog.discourse-group)
test_run :-
proc_dir('C:\\vvvv\\vvvv_beta_39_x64').
 
proc_dir(Directory) :-
format('Directory: ~w~n',[Directory]),
directory_files(Directory,Files),!, %cut inserted
proc_files(Directory,Files).
 
proc_files(Directory, [File|Files]) :-
proc_file(Directory, File),!, %cut inserted
proc_files(Directory, Files).
proc_files(_Directory, []).
 
proc_file(Directory, File) :-
(
File = '.',
directory_file_path(Directory, File, Path),
exists_directory(Path),!,%cut inserted
format('Directory: ~w~n',[File])
;
File = '..',
directory_file_path(Directory, File, Path),
exists_directory(Path),!,%cut inserted
format('Directory: ~w~n',[File])
;
directory_file_path(Directory, File, Path),
exists_directory(Path),!,%cut inserted
proc_dir(Path)
;
directory_file_path(Directory, File, Path),
exists_file(Path),!,%cut inserted
format('File: ~w~n',[File])
;
format('Unknown: ~w~n',[File])
).</syntaxhighlight>
 
output :
<syntaxhighlight lang="prolog">?- test_run.
File: GMFBridge.ax
File: libeay32.dll
File: ssleay32.dll
File: license.txt
Directory: C:\vvvv\vvvv_beta_39_x64/licenses
Directory: .
Directory: ..
File: Apache.txt
File: BSD.txt
File: LGPL.txt
File: MIT.txt
File: MPL.txt
File: MS-PL-Eula.rtf
File: MS-PL.txt
File: MSR-SSLA.txt
</syntaxhighlight>
 
 
 
 
 
=={{header|PureBasic}}==
<langsyntaxhighlight PureBasiclang="purebasic">Procedure.s WalkRecursive(dir,path.s,Pattern.s="\.txt$")
Static RegularExpression
If Not RegularExpression
Line 1,257 ⟶ 2,061:
EndIf
Wend
EndProcedure</langsyntaxhighlight>
<langsyntaxhighlight PureBasiclang="purebasic">;- Implementation; Find all .log-files in the C:\Windows tree
ExamineDirectory(1,"C:\WINDOWS\","")
WalkRecursive(1,"C:\WINDOWS\","\.log$")
FinishDirectory(1)</langsyntaxhighlight>
 
 
 
 
=={{header|Prolog}}==
{{works with|Swi-Prolog|8.3}}
<syntaxhighlight lang="prolog">% submitted by Aykayayciti (Earl Lamont Montgomery)
% altered from fsaenzperez April 2019
% (swi-prolog.discourse-group)
test_run :-
proc_dir('C:\\vvvv\\vvvv_beta_39_x64').
 
 
proc_dir(Directory) :-
format('Directory: ~w~n',[Directory]),
directory_files(Directory,Files),!, %cut inserted
proc_files(Directory,Files).
 
proc_files(Directory, [File|Files]) :-
proc_file(Directory, File),!, %cut inserted
proc_files(Directory, Files).
proc_files(_Directory, []).
 
proc_file(Directory, File) :-
(
File = '.',
directory_file_path(Directory, File, Path),
exists_directory(Path),!,%cut inserted
format('Directory: ~w~n',[File])
;
File = '..',
directory_file_path(Directory, File, Path),
exists_directory(Path),!,%cut inserted
format('Directory: ~w~n',[File])
;
directory_file_path(Directory, File, Path),
exists_directory(Path),!,%cut inserted
proc_dir(Path)
;
directory_file_path(Directory, File, Path),
exists_file(Path),!,%cut inserted
format('File: ~w~n',[File])
;
format('Unknown: ~w~n',[File])
).</syntaxhighlight>
 
output :
<syntaxhighlight lang="prolog">?- test_run.
File: GMFBridge.ax
File: libeay32.dll
File: ssleay32.dll
File: license.txt
Directory: C:\vvvv\vvvv_beta_39_x64/licenses
Directory: .
Directory: ..
File: Apache.txt
File: BSD.txt
File: LGPL.txt
File: MIT.txt
File: MPL.txt
File: MS-PL-Eula.rtf
File: MS-PL.txt
File: MSR-SSLA.txt</syntaxhighlight>
 
=={{header|Python}}==
{{works with|Python|2.3+.x}}
Use the standard [https://docs.python.org/3/library/pathlib.html#pathlib.Path.rglob pathlib.Path.rglob()] module to recursively walk a directory with optional filter.
<syntaxhighlight lang="python">
from pathlib import Path
 
for path in Path('.').rglob('*.*'):
This uses the standard ''os.walk()'' "[[generator]]".
print(path)
</syntaxhighlight>
 
{{works with|Python|3.x}}
<lang python>import fnmatch
{{works with|Python|2.3+}}
This uses the standard [http://docs.python.org/py3k/library/os.html?highlight=os.walk#os.walk os.walk()] module function to walk a directory tree, and the [http://docs.python.org/py3k/library/fnmatch.html fnmatch] module for matching file names.
<syntaxhighlight lang="python">import fnmatch
import os
 
rootPath = '/'
pattern = '*.mp3' # Can include any UNIX shell-style wildcards
for root, dirs, files in os.walk(rootPath):
for filename in fnmatch.filter(files, pattern):
print( os.path.join(root, filename))</langsyntaxhighlight>
{{works with|Python|<nowiki>2.x</nowiki>}}
 
{{works with|Python|<nowiki>23.x</nowiki>}} (deprecated; removed in 3.0)
 
A more strictly comparable port of this 2.3+ code to earlier versions of Python would be:
<syntaxhighlight lang="python">from fnmatch import fnmatch
 
<lang python>from fnmatch import fnmatch
import os, os.path
 
Line 1,290 ⟶ 2,163:
print os.path.join(dir, filename)
 
os.path.walk('/', print_fnmatches, '*.mp3')</langsyntaxhighlight>
 
The old ''os.path.walk'' function was a challenge for many to use because of the need to pass a function into the walk, and any arguments to that function through to it ... as shown. It's sometimes useful to pass mutable objects (lists, dictionaries, or instances of user-defined classes) to the inner function ... for example, to collect all the matching files for later processing.
 
Of course the function being passed down through ''os.path.walk()'' can also be an instance of an object which maintains it's own data collections. Any matching criteria can be set as attributes of that object in advance and methods of that object can be called upon for later processing as well. That would the an object oriented approach which would obviate the need for the "arguments" to be passed through ''os.path.walk()'' at all.
 
{{works with|Python|2.5}}
 
{{libheader|Path}}
(''Note:'' This uses a non-standard replacement to the '''os.path''' module)
<syntaxhighlight lang="python">from path import path
 
<lang python>from path import path
 
rootPath = '/'
Line 1,308 ⟶ 2,177:
d = path(rootPath)
for f in d.walkfiles(pattern):
print f</langsyntaxhighlight>
 
=={{header|R}}==
<langsyntaxhighlight Rlang="r">dir("/bar/foo", "mp3",recursive=T)</langsyntaxhighlight>
 
=={{header|Racket}}==
 
<syntaxhighlight lang="racket">
-> (for ([f (in-directory "/tmp")] #:when (regexp-match? "\\.rkt$" f))
(displayln f))
... *.rkt files including in nested directories ...
</syntaxhighlight>
 
=={{header|Raku}}==
(formerly Perl 6)
 
Using the [https://github.com/tadzik/File-Find/ File::Find] module:
<syntaxhighlight lang="raku" line>use File::Find;
 
.say for find dir => '.', name => /'.txt' $/;</syntaxhighlight>
 
Alternatively, a custom solution that provides the same interface as the built-in (non-recursive) <tt>dir</tt> function, and uses <tt>gather</tt>/<tt>take</tt> to return a lazy sequence:
 
<syntaxhighlight lang="raku" line>sub find-files ($dir, Mu :$test) {
gather for dir $dir -> $path {
if $path.basename ~~ $test { take $path }
if $path.d { .take for find-files $path, :$test };
}
}
.put for find-files '.', test => /'.txt' $/;</syntaxhighlight>
 
Or if you value performance over portability, here's a function that runs the GNU <tt>find</tt> program and returns a lazy sequence of the files it finds. Parameters are not subjected to shell expansion, and the null-byte (which cannot be present in file paths) is used as the path delimiter, so it should be pretty safe.
 
<syntaxhighlight lang="raku" line>sub find-files ($dir, :$pattern) {
run('find', $dir, '-iname', $pattern, '-print0', :out, :nl«\0»).out.lines;
}
 
.say for find-files '.', pattern => '*.txt';</syntaxhighlight>
 
=={{header|Rascal}}==
<syntaxhighlight lang="rascal">//usage example: To list just Rascal source files, Walk(|home:///workspace/|, ".rsc");
module Walk
import String;
import IO;
public void Walk(loc a, str pattern){
for (entry <- listEntries(a))
if (endsWith(entry, pattern))
println(entry);
elseif (isDirectory(a+entry))
Walk(a+entry, pattern);
}</syntaxhighlight>
 
=={{header|REALbasic}}==
<syntaxhighlight lang="vb">Sub printFiles(parentDir As FolderItem, pattern As String)
<lang vb>
Sub printFiles(parentDir As FolderItem, pattern As String)
For i As Integer = 1 To parentDir.Count
If parentDir.Item(i).Directory Then
Line 1,327 ⟶ 2,243:
End If
Next
End Sub</syntaxhighlight>
</lang>
 
Accepts a FolderItem object and a Regex pattern as a string:
<syntaxhighlight lang="vb">
<lang vb>
Dim f As FolderItem = GetFolderItem("C:\Windows\system32")
Dim pattern As String = "((?:[a-z][a-z]+))(\.)(dll)" //all file names ending in .dll
printFiles(f, pattern)</langsyntaxhighlight>
 
=={{header|Red}}==
<syntaxhighlight lang="red">Red []
 
walk: func [
"Walk a directory tree recursively, setting WORD to each file and evaluating BODY."
 
'word "For each file, set with the absolute file path."
directory [file!] "Starting directory."
body [block!] "Block to evaluate for each file, during which WORD is set."
/where
rules [block!] "Parse rules defining file names to include."
][
foreach file read directory [
if where [if not parse file rules [continue]]
either dir? file: rejoin [directory file] [walk item file body] [
set 'word file
do body
]
]
]
 
rules: compose [
any (charset [#"A" - #"Z"])
".TXT"
]
 
walk/where file %/home/user/ [print file] rules</syntaxhighlight>
 
=={{header|REXX}}==
===version 1===
{{works with|Regina}}
The following program was tested in a DOS window under Windows/XP and should work for all Microsoft Windows.
<syntaxhighlight lang="rexx">/*REXX program shows all files in a directory tree that match a given search criteria.*/
parse arg xdir; if xdir='' then xdir='\' /*Any DIR specified? Then use default.*/
@.=0 /*default result in case ADDRESS fails.*/
dirCmd= 'DIR /b /s' /*the DOS command to do heavy lifting. */
trace off /*suppress REXX error message for fails*/
address system dirCmd xdir with output stem @. /*issue the DOS DIR command with option*/
if rc\==0 then do /*did the DOS DIR command get an error?*/
say '***error!*** from DIR' xDIR /*error message that shows "que pasa". */
say 'return code=' rc /*show the return code from DOS DIR.*/
exit rc /*exit with " " " " " */
end /* [↑] bad ADDRESS cmd (from DOS DIR)*/
#=@.rc /*the number of @. entries generated.*/
if #==0 then #=' no ' /*use a better word choice for 0 (zero)*/
say center('directory ' xdir " has " # ' matching entries.', 79, "─")
 
do j=1 for #; say @.j /*show all the files that met criteria.*/
end /*j*/
exit @.0+rc /*stick a fork in it, we're all done. */</syntaxhighlight>
'''output''' &nbsp; when the following was used: &nbsp; <tt> I:\firefox*.exe </tt>
<pre>
─────────────directory I:\firefox*.exe has 6 matching entries.─────────────
I:\FIREFOX\firefox.exe
I:\FIREFOX\INSTALL\Firefox Setup 1.5.0.1.exe
I:\FIREFOX\INSTALL\Firefox Setup 2.0.0.4.exe
I:\FIREFOX\INSTALL\Firefox Setup 3.0.4.exe
I:\FIREFOX\INSTALL\Firefox Setup 3.6 Beta 5.exe
I:\FIREFOX\INSTALL\Firefox Setup 4.0 Beta 11.exe
</pre>
 
===version 2===
{{trans|BATCH-file}}
Works on Windows with ooRexx and Regina (not much REXX code in it)
<syntaxhighlight lang="rexx">'dir /s /b "%windir%\System32\*.exe"'</syntaxhighlight>
 
=={{header|Ring}}==
<syntaxhighlight lang="ring">
see "Testing DIR() " + nl
mylist = dir("C:\Ring")
for x in mylist
if x[2]
see "Directory : " + x[1] + nl
else
see "File : " + x[1] + nl
ok
next
see "Files count : " + len(mylist)
</syntaxhighlight>
Output:
<pre>
Testing DIR()
Directory : bert
Directory : bin
Directory : calmosoft
Directory : doc
Directory : FlappyBird
Directory : gameengine
Directory : html
Directory : images
File : License.txt
File : music1.wav
File : ReadMe.txt
Directory : ring-master
Directory : samples
Directory : StarsFighter
File : start.bat
Directory : stdlib
Directory : SuperMan2016
File : unixdict.txt
Directory : weblib
Files count : 19
</pre>
 
=={{header|Ruby}}==
 
Using the Find core Module
Using the Find core Module:
 
<lang ruby>require 'find'
<syntaxhighlight lang="ruby">require 'find'
 
Find.find('/your/path') do |f|
# print file and path to screen if filename ends in ".mp3"
puts f if f.match(/\.mp3\Z/)
end</syntaxhighlight>
end
</lang>
 
A little less verbose example using a shortcut for the glob method of Dir:
=={{header|Scala}}==
This is not implemented in the Scala library. Here is a possible solution, building on class ''java.io.File'' and on scala language and library iteration facilities
 
<syntaxhighlight lang="ruby">puts Dir['**/*.mp3']</syntaxhighlight>
<lang scala>package io.utils
 
=={{header|Rust}}==
import java.io.File
/** A wrapper around file, allowing iteration either on direct children
or on directory tree */
class RichFile(file: File) {
def children = new Iterable[File] {
def elements =
if (file.isDirectory) file.listFiles.elements else Iterator.empty;
}
 
Using std::fs::walk_dir (unstable as of Rust 1.1) with imperative for-loop:
def andTree : Iterable[File] = (
Seq.single(file)
++ children.flatMap(child => new RichFile(child).andTree))
}
/** implicitely enrich java.io.File with methods of RichFile */
object RichFile {
implicit def toRichFile(file: File) = new RichFile(file)
}</lang>
 
<syntaxhighlight lang="rust">#![feature(fs_walk)]
Class ''RichFile'' gets a ''java.io.File'' in constructor. Its two methods return ''Iterable''s on items of type File. ''children'' allow iterations on the direct children (empty if file is not a directory). ''andTree'' contains a file and all files below, as a concatenation (''++'') of a sequence which contains only a file (''Seq.single'') and actual descendants. The method ''flatMap'' in Iterable takes a function argument which associates each item (''child'') to another Iterable (''andTree'' called recursively on that child) and returns the concatenation of those iterables.
 
use std::fs;
The purpose of the object ''RichFile'' is to publish the implicit method ''toRichFile''. When this method is available in scope (after ''import RichFile.toRichFile'' or ''import RichFile._''), it is called behind the scene when a method of class ''RichFile'' is called on an instance of type File : with f of type File, code ''f.children'' (resp. ''f.andTree'') becomes ''toRichFile(f).children'' (resp. ''toRichFile(f).andTree''). It is as if class File had been added the methods of class RichFile.
use std::path::Path;
 
fn main() {
Using it :
for f in fs::walk_dir(&Path::new("/home/pavel/Music")).unwrap() {
<lang scala>package test.io.utils
let p = f.unwrap().path();
if p.extension().unwrap_or("".as_ref()) == "mp3" {
println!("{:?}", p);
}
}
}</syntaxhighlight>
 
=={{header|Scala}}==
import io.utils.RichFile._ // this makes implicit toRichFile active
This is not implemented in the Scala library. Here is a simple solution, building on [[Java]] class ''<code>java.io.File</code>'':
import java.io.File
 
<syntaxhighlight lang="scala">import java.io.File
object Test extends Application {
val root = new File("/home/user")
for(f <- root.andTree) Console.println(f)
 
object `package` {
// filtering comes for free
def walkTree(file: File): Iterable[File] = {
for(f <- root.andTree; if f.getName.endsWith(".mp3")) Console.println(f)
val children = new Iterable[File] {
}</lang>
def iterator = if (file.isDirectory) file.listFiles.iterator else Iterator.empty
}
Seq(file) ++: children.flatMap(walkTree(_))
}
}
 
object Test extends App {
val dir = new File("/home/user")
for(f <- walkTree(dir)) println(f)
for(f <- walkTree(dir) if f.getName.endsWith(".mp3")) println(f)
}</syntaxhighlight>
 
=={{header|Scheme}}==
Varies slightly depending on the implementation of scheme.
 
{{works with|Chicken Scheme}}
<langsyntaxhighlight lang="scheme">(use posix)
(use posix)
(use files)
(use srfi-13)
Line 1,411 ⟶ 2,425:
(FN MYPATH) )))) (directory PATH #t) ))
 
(walk (lambda (X) (cond ((string-suffix? ".scm" X) (display X)(newline) ))) "/home/user/")</syntaxhighlight>
</lang>
 
See also: '''(find-files ...)''' function in the '''posix''' module.
 
{{works with|Gauche}}
<syntaxhighlight lang="scheme">(use file.util)
<lang scheme>
(use file.util)
(use srfi-13)
 
Line 1,431 ⟶ 2,441:
(FN MYPATH) )))) (directory-list PATH :add-path? #t :children? #t ) ))
 
(walk (lambda (X) (cond ((string-suffix? ".scm" X) (display X)(newline) ))) "/home/user/")</syntaxhighlight>
</lang>
See also: '''(find-file-in-paths ...)''' function in the '''file.util''' module.
 
{{works with|PLT Scheme}}
<langsyntaxhighlight lang="scheme">#lang scheme
#lang scheme
 
(require srfi/13)
Line 1,452 ⟶ 2,459:
(FN MYPATH) )))) (directory-list PATH)))
 
(walk (lambda (X) (cond ((string-suffix? ".scm" (path->string X)) (display X)(newline) ))) "/home/user/")</syntaxhighlight>
</lang>
See also: '''(find-files ...)''' function in the '''file''' module.
{{out|Sample output}}
 
<pre>
Sample output:
<lang scheme>
/home/user/one.scm
/home/user/lang/two.scm
[...]
</langpre>
 
=={{header|Seed7}}==
Seed7 has a [http://seed7.sourceforge.net/manual/os.htm#Standard_path_representation standard path representation],
which is independent of the operating system. The function [http://seed7.sourceforge.net/manual/os.htm#readDir readDir]
reads the contents of a directory as array of strings. The files . and .. are left out, so it is not necessary to ignore them.
The function [http://seed7.sourceforge.net/manual/os.htm#fileType fileType] is used to determine, if a file is a directory.
The example below follows symbolic links. To ignore symbolic links use
[http://seed7.sourceforge.net/libraries/osfiles.htm#fileTypeSL%28in_string%29 fileTypeSL] instead of
[http://seed7.sourceforge.net/libraries/osfiles.htm#fileType%28in_string%29 fileType].
 
<syntaxhighlight lang="seed7">$ include "seed7_05.s7i";
include "osfiles.s7i";
 
const proc: walkDir (in string: dirName, in string: extension) is func
local
var string: fileName is "";
var string: path is "";
begin
for fileName range readDir(dirName) do
path := dirName & "/" & fileName;
if endsWith(path, extension) then
writeln(path);
end if;
if fileType(path) = FILE_DIR then
walkDir(path, extension);
end if;
end for;
end func;
 
const proc: main is func
begin
walkDir(".", ".sd7");
end func;</syntaxhighlight>
 
=={{header|Sidef}}==
<syntaxhighlight lang="ruby">func traverse(Block callback, Dir dir) {
dir.open(\var dir_h) || return nil
 
dir_h.entries.each { |entry|
if (entry.is_a(Dir)) {
traverse(callback, entry)
} else {
callback(entry)
}
}
}
 
var dir = Dir.cwd
var pattern = /foo/ # display files that contain 'foo'
 
traverse(
{ |file|
if (file.basename ~~ pattern) {
say file
}
} => dir
)</syntaxhighlight>
 
=={{header|Smalltalk}}==
{{works with|GNU Smalltalk}}
<langsyntaxhighlight lang="smalltalk">Directory extend [
wholeContent: aPattern do: twoBlock [
self wholeContent: aPattern withLevel: 0 do: twoBlock.
Line 1,490 ⟶ 2,552:
]
]
].</langsyntaxhighlight>
 
<langsyntaxhighlight lang="smalltalk">|d|
d := Directory name: '.'.
d wholeContent: '\.st$' do: [ :f :l |
0 to: l do: [ :i | (Character tab) display ].
f displayNl
].</langsyntaxhighlight>
 
=={{header|Swift}}==
{{works with|Swift|3.0}}
<syntaxhighlight lang="swift">import Foundation
 
let fileSystem = FileManager.default
let rootPath = "/"
 
// Enumerate the directory tree (which likely recurses internally)...
 
if let fsTree = fileSystem.enumerator(atPath: rootPath) {
while let fsNodeName = fsTree.nextObject() as? NSString {
let fullPath = "\(rootPath)/\(fsNodeName)"
var isDir: ObjCBool = false
fileSystem.fileExists(atPath: fullPath, isDirectory: &isDir)
if !isDir.boolValue && fsNodeName.pathExtension == "txt" {
print(fsNodeName)
}
}
}</syntaxhighlight>
 
=={{header|Tcl}}==
{{works with|Tcl|8.45}}
<syntaxhighlight lang="tcl">
<lang tcl>proc walkin {fromDir pattern} {
package require fileutil
foreach fname [glob -nocomplain -directory $fromDir *] {
proc walkin {path cmd} {
if {[file isdirectory $fname]} {
set normalized [::fileutil::fullnormalize $path]
walkin $fname $pattern
set myname [lindex [info level 0] 0]
} elseif {[string match $pattern [file tail $fname]]} {
set children [glob -nocomplain -directory $path -types hidden *]
puts [file normalize $fname]
lappend children {*}[glob -nocomplain -directory $path *]
foreach child $children[set children {}] {
if {[file tail $child] in {. ..}} {
continue
}
if {[file isdirectory $child]} {
if {[file type $child] eq "link"} {
set normalizedchild [fileutil::fullnormalize $child]
if {[string first $normalized/ $normalizedchild] == 0} {
#symlink to a directory in $path. Avoid cyclic traversal.
#Don't descend.
} else {
$myname $child $cmd
}
}
}
{*}$cmd $child
}
}
# replace directory with something appropriate
walkin /home/user *.mp3</lang>
 
walkin /home/usr {apply {fname {
=={{header|Visual Basic .NET}}==
set tail [file tail $fname]
{{works with|Visual Basic .NET|9.0+}}
if {[string match *.mp3 $tail]} {
puts $fname
}
}}}
</syntaxhighlight>
 
=={{header|TXR}}==
This uses the OS pattern matching
There is more than one way to do this in TXR. A recursive walk could be coded using <code>open-directory</code> and <code>getline</code>. Or FFI could be used to gain access to some platform-specific functions like Microsoft's <code>FindFirstFile</code> and so forth.
 
===Using <code>ftw</code>===
<lang vbnet>Sub walkTree(ByVal directory As IO.DirectoryInfo, ByVal pattern As String)
TXR wraps and exposes the POSIX <code>nftw</code> function, which is demonstrated here. This function encapsulates a tree walk, and uses callbacks to inform the program of visited filesystem tree nodes, and of error situations. We can use a <code>lambda</code> for the code walk, or wrap the invocation of <code>ftw</code> with a macro which hides the <code>lambda</code> syntax.
For Each file In directory.GetFiles(pattern)
Console.WriteLine(file.FullName)
Next
For Each subDir In directory.GetDirectories
walkTree(subDir, pattern)
Next
End Sub</lang>
 
=={{header|UNIX Shell}}==
{{works with|Bourne Again SHell}}
 
Here we use the <code>build</code> macro for procedural list building to gather all of the found paths into a list, which is implicitly returned. The callback is an explicit <code>lambda</code>:
The "find" command gives a one-line solution for simple patterns:
 
<syntaxhighlight lang="txrlisp">(build (ftw "." (lambda (path type stat level base)
<lang bash>find . -name '*.txt'</lang>
(if (ends-with ".tl" path)
(add path)))))</syntaxhighlight>
 
{{out}}
 
<syntaxhighlight lang="txrlisp">("./tests/016/arith.tl" "./tests/014/dgram-stream.tl" "./tests/014/socket-basic.tl"
"./tests/sock-common.tl" "./tests/012/ifa.tl" "./tests/012/except.tl"
"./tests/012/fini.tl" "./tests/012/oop.tl" "./tests/012/circ.tl"
"./tests/012/cont.tl" "./tests/012/aseq.tl" "./tests/012/quasi.tl"
"./tests/012/struct.tl" "./tests/012/man-or-boy.tl" "./tests/017/glob-carray.tl"
"./tests/017/glob-zarray.tl" "./tests/017/realpath.tl" "./tests/017/qsort.tl"
"./tests/015/split.tl" "./tests/013/maze.tl" "./tests/common.tl"
"./tests/011/special-1.tl" "./share/txr/stdlib/ifa.tl" "./share/txr/stdlib/with-stream.tl"
"./share/txr/stdlib/pmac.tl" "./share/txr/stdlib/except.tl" "./share/txr/stdlib/awk.tl"
"./share/txr/stdlib/package.tl" "./share/txr/stdlib/place.tl"
"./share/txr/stdlib/trace.tl" "./share/txr/stdlib/type.tl" "./share/txr/stdlib/keyparams.tl"
"./share/txr/stdlib/ffi.tl" "./share/txr/stdlib/ver.tl" "./share/txr/stdlib/build.tl"
"./share/txr/stdlib/cadr.tl" "./share/txr/stdlib/hash.tl" "./share/txr/stdlib/error.tl"
"./share/txr/stdlib/txr-case.tl" "./share/txr/stdlib/tagbody.tl"
"./share/txr/stdlib/getopts.tl" "./share/txr/stdlib/socket.tl"
"./share/txr/stdlib/struct.tl" "./share/txr/stdlib/getput.tl"
"./share/txr/stdlib/path-test.tl" "./share/txr/stdlib/with-resources.tl"
"./share/txr/stdlib/yield.tl" "./share/txr/stdlib/conv.tl" "./share/txr/stdlib/termios.tl")</syntaxhighlight>
 
For a regex pattern we can replace <code>(endswith ".tl" path)</code> with something like <code>(m$ path #/\.tl/)</code>.
 
TXR also provides the <code>fnmatch</code> function which can be used to match using a file globbing pattern.
 
<pre>1< (fnmatch "*.tl" "foo.tl")
t
2>< (fnmatch "*.tl" "foo.c")
nil</pre>
 
The <code>type</code>, <code>stat</code>, <code>level</code> and <code>base</code> callback arguments we are ignoring closely follow those of the POSIX C <code>nftw</code> function. <code>type</code> is a type code which indicates the kind of item visited: file, directory; <code>stat</code> is a Lisp version of <code>struct stat</code>, providing various information about the filesystem object: permissions, timestamps, inode number, etc.
 
A nice approach would be to capture a continuation in the callback, and then obtain the walk elements lazily; alas, capturing a continuation from a C library function's callback is not permitted, because the capture would span foreign stack frames.
 
===Using <code>glob*</code>===
 
TXR has a <code>glob*</code> function which, like <code>glob</code> is built on the POSIX C library function. <code>glob*</code> also provides Bash-style brace expansion, as well as the double star pattern, which we can use to find files recursively:
 
<syntaxhighlight lang="txrlisp">(glob* "**/*.c")</syntaxhighlight>
 
{{out}}
 
<syntaxhighlight lang="txrlisp">("args.c" "arith.c" "autoload.c" "buf.c" "cadr.c" "chksum.c" "chksums/crc32.c"
"chksums/md5.c" "chksums/sha1.c" "chksums/sha256.c" "combi.c"
"debug.c" "eval.c" "ffi.c" "filter.c" "ftw.c" "gc.c" "glob.c"
"gzio.c" "hash.c" "itypes.c" "lib.c" "linenoise/example.c" "linenoise/linenoise.c"
"match.c" "mpi/mpi.c" "mpi/mplogic.c" "parser.c" "protsym.c"
"psquare.c" "rand.c" "regex.c" "signal.c" "socket.c" "stream.c"
"struct.c" "strudel.c" "sysif.c" "syslog.c" "termios.c" "time.c"
"tree.c" "txr.c" "unwind.c" "utf8.c" "vm.c")</syntaxhighlight>
 
=={{header|UNIX Shell}}==
{{works with|Bourne Again SHell}}
The "find" command gives a one-line solution for simple patterns:
<syntaxhighlight lang="bash">find . -name '*.txt' -type f </syntaxhighlight>
"find" can also be used to find files matching more complex patterns as illustrated in the section on [[#UnixPipes|Unix Pipes]] below.
 
Using "bash" version 4 or later, you can use "globstar" or "dotglob", depending on whether you want hidden directories to be searched:
Here is a solution that does not use "find".
<syntaxhighlight lang="bash">#! /bin/bash
# Warning: globstar excludes hidden directories.
# Turn on recursive globbing (in this script) or exit if the option is not supported:
shopt -s globstar || exit
 
for f in **
<lang bash>#! /bin/bash
do
if [[ "$f" =~ \.txt$ ]] ; then
echo "$f"
fi
done</syntaxhighlight>
Here is a solution that does not use "find".
<syntaxhighlight lang="bash">#! /bin/bash
 
indent_print()
Line 1,580 ⟶ 2,746:
}
 
walk_tree "$1" "\.sh$"</langsyntaxhighlight>
 
A simplified version that gives the same output:
<syntaxhighlight lang="bash">#! /usr/bin/env bash
 
<lang bash>#! /usr/bin/env bash
walk_tree() {
Line 1,597 ⟶ 2,761:
}
walk_tree "$1" "\.sh$"</langsyntaxhighlight>
 
=={{header|UnixPipes}}==
As illustrated [[#UNIX Shell|above]], the "find" command can be used with the -name option to match simple patterns. To find files matching more complex patterns, the results of "find" can be piped, e.g.
Find accepts file globbing params too as -name, here I use regexp from grep.
<langsyntaxhighlight lang="bash">find . -type f | grepegrep '.*\.txt$|\.TXT$'</langsyntaxhighlight>
One way to run a command against each file that is found is to use "xargs", but if there is any possibility that a filename contains a space or tab character, then the following model should be used:
<syntaxhighlight lang="bash"> find . -type f -name "*.txt" -print0 | xargs -0 fgrep sometext</syntaxhighlight>
 
=={{header|Visual Basic .NET}}==
{{works with|Visual Basic .NET|9.0+}}
This uses the OS pattern matching
<syntaxhighlight lang="vbnet">Sub walkTree(ByVal directory As IO.DirectoryInfo, ByVal pattern As String)
For Each file In directory.GetFiles(pattern)
Console.WriteLine(file.FullName)
Next
For Each subDir In directory.GetDirectories
walkTree(subDir, pattern)
Next
End Sub</syntaxhighlight>
 
=={{header|Wren}}==
{{libheader|Wren-pattern}}
{{libheader|Wren-sort}}
<syntaxhighlight lang="wren">import "io" for Directory, File
import "./pattern" for Pattern
import "./sort" for Sort
 
var walk // recursive function
walk = Fn.new { |dir, pattern, found|
if (!Directory.exists(dir)) Fiber.abort("Directory %(dir) does not exist.")
var files = Directory.list(dir)
for (f in files) {
var path = dir + "/%(f)"
if (File.exists(path)) { // it's a file not a directory
if (pattern.isMatch(f)) found.add(f)
} else {
walk.call(path, pattern, found)
}
}
}
 
// get all C header files beginning with 'va' or 'vf'
var p = Pattern.new("v[a|f]+0^..h", Pattern.whole)
var found = []
walk.call("/usr/include", p, found)
Sort.quick(found)
for (f in found) System.print(f)</syntaxhighlight>
 
{{out}}
<pre>
valarray_after.h
valarray_array.h
valarray_before.h
valgrind.h
validate.h
values.h
vfio.h
vfio_ccw.h
vfs.h
</pre>
 
=={{header|zkl}}==
<syntaxhighlight lang="zkl">d:=File.globular("..","s*.zkl")</syntaxhighlight>
Lots of options, here I'm using the defaults: recurse, just file matches (not directory names) and return a bit bucket of ASCIIZ strings.
{{out}}
<pre>
d.pump(Console.println)
../Tmp/sieve.zkl
../Tmp/sock2.zkl
../Tmp/strands.zkl
../Tmp/sd.zkl
../Src/startup.zkl
../Src/ZenKinetic/sieve.zkl
../Tests/subscript.zkl
../Tests/Object/socket.zkl
../Tests/Object/string.zkl
</pre>
globular will write to a object that has a write method or just call a method or function, which is nice for sending data to other threads (eg multi-threaded find/grep). To do the above example in one shot (without saving the results):
<syntaxhighlight lang="zkl">File.globular("..","s*.zkl",True,0,Console.println)</syntaxhighlight>
 
=={{header|Zsh}}==
Zsh has recursive globbing. The GLOB_DOTS option allows files beginning with a period to be matched.
<langsyntaxhighlight lang="zsh">setopt GLOB_DOTS
print -l -- **/*.txt</langsyntaxhighlight>
GLOB_DOTS can be set temporarily with the 'D' modifier.
<langsyntaxhighlight lang="zsh">print -l -- **/*.txt(D)</langsyntaxhighlight>
 
{{omit from|ACL2|Very limited filesystem support.}}
{{omit from|Befunge}} <!-- No filesystem support -->
{{omit from|M4}}
{{omit from|MUMPS|Maybe it could be done. But not with $ZF unless you wrote a OS level script and called that}}
{{omit from|PARI/GP}}
{{omit from|Retro}}
{{omit from|TI-83 BASIC}} {{omit from|TI-89 BASIC}} <!-- Does not have a filesystem, just namespaced variables, which can't be listed from a program. -->
{{omit from|Unlambda|Does not have file system support.}}
{{omit from|ZX Spectrum Basic|Does not have subdirectories}}
{{omit from|Axe}}
9,482

edits