-
-
Notifications
You must be signed in to change notification settings - Fork 187
Expand file tree
/
Copy pathwalk.py
More file actions
815 lines (677 loc) · 29.3 KB
/
walk.py
File metadata and controls
815 lines (677 loc) · 29.3 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
"""Machinery for walking a filesystem.
*Walking* a filesystem means recursively visiting a directory and
any sub-directories. It is a fairly common requirement for copying,
searching etc. See :ref:`walking` for details.
"""
from __future__ import unicode_literals
import abc
import typing
from collections import defaultdict
from collections import deque
from collections import namedtuple
import six
from ._repr import make_repr
from .errors import FSError
from .path import abspath
from .path import combine
from .path import normpath
if typing.TYPE_CHECKING:
from typing import (
Any,
Callable,
Collection,
Iterator,
List,
Optional,
MutableMapping,
Text,
Tuple,
Type,
)
from .base import FS
from .info import Info
OnError = Callable[[Text, Exception], bool]
_F = typing.TypeVar("_F", bound="FS")
Step = namedtuple("Step", "path, dirs, files")
"""type: a *step* in a directory walk.
"""
@six.add_metaclass(abc.ABCMeta)
class WalkerBase(object):
"""A walker object recursively lists directories in a filesystem."""
@abc.abstractmethod
def walk(
self,
fs, # type: FS
path="/", # type: Text
namespaces=None, # type: Optional[Collection[Text]]
):
# type: (...) -> Iterator[Step]
"""Walk the directory structure of a filesystem.
Arguments:
fs (FS): A filesystem instance.
path (str): A path to a directory on the filesystem.
namespaces (list, optional): A list of additional namespaces
to add to the `Info` objects.
Returns:
collections.Iterator: an iterator of `~fs.walk.Step` instances.
The return value is an iterator of ``(<path>, <dirs>, <files>)``
named tuples, where ``<path>`` is an absolute path to a
directory, and ``<dirs>`` and ``<files>`` are a list of
`~fs.info.Info` objects for directories and files in ``<path>``.
"""
@abc.abstractmethod
def files(self, fs, path="/"):
# type: (FS, Text) -> Iterator[Text]
"""Walk a filesystem, yielding absolute paths to files.
Arguments:
fs (FS): A filesystem instance.
path (str): A path to a directory on the filesystem.
Yields:
str: absolute path to files on the filesystem found
recursively within the given directory.
"""
@abc.abstractmethod
def dirs(self, fs, path="/"):
# type: (FS, Text) -> Iterator[Text]
"""Walk a filesystem, yielding absolute paths to directories.
Arguments:
fs (FS): A filesystem instance.
path (str): A path to a directory on the filesystem.
Yields:
str: absolute path to directories on the filesystem found
recursively within the given directory.
"""
@abc.abstractmethod
def info(
self,
fs, # type: FS
path="/", # type: Text
namespaces=None, # type: Optional[Collection[Text]]
):
# type: (...) -> Iterator[Tuple[Text, Info]]
"""Walk a filesystem, yielding tuples of ``(<path>, <info>)``.
Arguments:
fs (FS): A filesystem instance.
path (str): A path to a directory on the filesystem.
namespaces (list, optional): A list of additional namespaces
to add to the `Info` objects.
Yields:
(str, Info): a tuple of ``(<absolute path>, <resource info>)``.
"""
class Walker(WalkerBase):
"""A walker object recursively lists directories in a filesystem."""
def __init__(
self,
ignore_errors=False, # type: bool
on_error=None, # type: Optional[OnError]
search="breadth", # type: Text
filter=None, # type: Optional[List[Text]]
exclude=None, # type: Optional[List[Text]]
filter_dirs=None, # type: Optional[List[Text]]
exclude_dirs=None, # type: Optional[List[Text]]
max_depth=None, # type: Optional[int]
):
# type: (...) -> None
"""Create a new `Walker` instance.
Arguments:
ignore_errors (bool): If `True`, any errors reading a
directory will be ignored, otherwise exceptions will
be raised.
on_error (callable, optional): If ``ignore_errors`` is `False`,
then this callable will be invoked for a path and the
exception object. It should return `True` to ignore the error,
or `False` to re-raise it.
search (str): If ``"breadth"`` then the directory will be
walked *top down*. Set to ``"depth"`` to walk *bottom up*.
filter (list, optional): If supplied, this parameter should be
a list of filename patterns, e.g. ``["*.py"]``. Files will
only be returned if the final component matches one of the
patterns.
exclude (list, optional): If supplied, this parameter should be
a list of filename patterns, e.g. ``["~*"]``. Files matching
any of these patterns will be removed from the walk.
filter_dirs (list, optional): A list of patterns that will be used
to match directories paths. The walk will only open directories
that match at least one of these patterns.
exclude_dirs (list, optional): A list of patterns that will be
used to filter out directories from the walk. e.g.
``['*.svn', '*.git']``.
max_depth (int, optional): Maximum directory depth to walk.
"""
if search not in ("breadth", "depth"):
raise ValueError("search must be 'breadth' or 'depth'")
self.ignore_errors = ignore_errors
if on_error:
if ignore_errors:
raise ValueError("on_error is invalid when ignore_errors==True")
else:
on_error = self._ignore_errors if ignore_errors else self._raise_errors
if not callable(on_error):
raise TypeError("on_error must be callable")
self.on_error = on_error
self.search = search
self.filter = filter
self.exclude = exclude
self.filter_dirs = filter_dirs
self.exclude_dirs = exclude_dirs
self.max_depth = max_depth
super(Walker, self).__init__()
@classmethod
def _ignore_errors(cls, path, error):
# type: (Text, Exception) -> bool
"""Ignore dir scan errors when called."""
return True
@classmethod
def _raise_errors(cls, path, error):
# type: (Text, Exception) -> bool
"""Re-raise dir scan errors when called."""
return False
@classmethod
def _calculate_depth(cls, path):
# type: (Text) -> int
"""Calculate the 'depth' of a directory path (i.e. count components)."""
_path = path.strip("/")
return _path.count("/") + 1 if _path else 0
@classmethod
def bind(cls, fs):
# type: (_F) -> BoundWalker[_F]
"""Bind a `Walker` instance to a given filesystem.
This *binds* in instance of the Walker to a given filesystem, so
that you won't need to explicitly provide the filesystem as a
parameter.
Arguments:
fs (FS): A filesystem object.
Returns:
~fs.walk.BoundWalker: a bound walker.
Examples:
Use this method to explicitly bind a filesystem instance::
>>> walker = Walker.bind(my_fs)
>>> for path in walker.files(filter=['*.py']):
... print(path)
/foo.py
/bar.py
Unless you have written a customized walker class, you will
be unlikely to need to call this explicitly, as filesystem
objects already have a ``walk`` attribute which is a bound
walker object::
>>> for path in my_fs.walk.files(filter=['*.py']):
... print(path)
/foo.py
/bar.py
"""
return BoundWalker(fs)
def __repr__(self):
# type: () -> Text
return make_repr(
self.__class__.__name__,
ignore_errors=(self.ignore_errors, False),
on_error=(self.on_error, None),
search=(self.search, "breadth"),
filter=(self.filter, None),
exclude=(self.exclude, None),
filter_dirs=(self.filter_dirs, None),
exclude_dirs=(self.exclude_dirs, None),
max_depth=(self.max_depth, None),
)
def _iter_walk(
self,
fs, # type: FS
path, # type: Text
namespaces=None, # type: Optional[Collection[Text]]
):
# type: (...) -> Iterator[Tuple[Text, Optional[Info]]]
"""Get the walk generator."""
if self.search == "breadth":
return self._walk_breadth(fs, path, namespaces=namespaces)
else:
return self._walk_depth(fs, path, namespaces=namespaces)
def _check_open_dir(self, fs, path, info):
# type: (FS, Text, Info) -> bool
"""Check if a directory should be considered in the walk."""
if self.exclude_dirs is not None and fs.match(self.exclude_dirs, info.name):
return False
if self.filter_dirs is not None and not fs.match(self.filter_dirs, info.name):
return False
return self.check_open_dir(fs, path, info)
def check_open_dir(self, fs, path, info):
# type: (FS, Text, Info) -> bool
"""Check if a directory should be opened.
Override to exclude directories from the walk.
Arguments:
fs (FS): A filesystem instance.
path (str): Path to directory.
info (Info): A resource info object for the directory.
Returns:
bool: `True` if the directory should be opened.
"""
return True
def _check_scan_dir(self, fs, path, info, depth):
# type: (FS, Text, Info, int) -> bool
"""Check if a directory contents should be scanned."""
if self.max_depth is not None and depth >= self.max_depth:
return False
return self.check_scan_dir(fs, path, info)
def check_scan_dir(self, fs, path, info):
# type: (FS, Text, Info) -> bool
"""Check if a directory should be scanned.
Override to omit scanning of certain directories. If a directory
is omitted, it will appear in the walk but its files and
sub-directories will not.
Arguments:
fs (FS): A filesystem instance.
path (str): Path to directory.
info (Info): A resource info object for the directory.
Returns:
bool: `True` if the directory should be scanned.
"""
return True
def check_file(self, fs, info):
# type: (FS, Info) -> bool
"""Check if a filename should be included.
Override to exclude files from the walk.
Arguments:
fs (FS): A filesystem instance.
info (Info): A resource info object.
Returns:
bool: `True` if the file should be included.
"""
if self.exclude is not None and fs.match(self.exclude, info.name):
return False
return fs.match(self.filter, info.name)
def _scan(
self,
fs, # type: FS
dir_path, # type: Text
namespaces=None, # type: Optional[Collection[Text]]
):
# type: (...) -> Iterator[Info]
"""Get an iterator of `Info` objects for a directory path.
Arguments:
fs (FS): A filesystem instance.
dir_path (str): A path to a directory on the filesystem.
namespaces (list): A list of additional namespaces to
include in the `Info` objects.
Returns:
~collections.Iterator: iterator of `Info` objects for
resources within the given path.
"""
try:
for info in fs.scandir(dir_path, namespaces=namespaces):
yield info
except FSError as error:
if not self.on_error(dir_path, error):
raise
def walk(
self,
fs, # type: FS
path="/", # type: Text
namespaces=None, # type: Optional[Collection[Text]]
):
# type: (...) -> Iterator[Step]
"""Walk the directory structure of a filesystem.
Arguments:
fs (FS): A filesystem instance.
path (str): A path to a directory on the filesystem.
namespaces (list, optional): A list of additional namespaces
to add to the `Info` objects.
Returns:
collections.Iterator: an iterator of `~fs.walk.Step` instances.
The return value is an iterator of ``(<path>, <dirs>, <files>)``
named tuples, where ``<path>`` is an absolute path to a
directory, and ``<dirs>`` and ``<files>`` are a list of
`~fs.info.Info` objects for directories and files in ``<path>``.
Example:
>>> walker = Walker(filter=['*.py'])
>>> for path, dirs, files in walker.walk(my_fs, namespaces=["details"]):
... print("[{}]".format(path))
... print("{} directories".format(len(dirs)))
... total = sum(info.size for info in files)
... print("{} bytes".format(total))
[/]
2 directories
55 bytes
...
"""
_path = abspath(normpath(path))
dir_info = defaultdict(list) # type: MutableMapping[Text, List[Info]]
_walk = self._iter_walk(fs, _path, namespaces=namespaces)
for dir_path, info in _walk:
if info is None:
dirs = [] # type: List[Info]
files = [] # type: List[Info]
for _info in dir_info[dir_path]:
(dirs if _info.is_dir else files).append(_info)
yield Step(dir_path, dirs, files)
del dir_info[dir_path]
else:
dir_info[dir_path].append(info)
def files(self, fs, path="/"):
# type: (FS, Text) -> Iterator[Text]
"""Walk a filesystem, yielding absolute paths to files.
Arguments:
fs (FS): A filesystem instance.
path (str): A path to a directory on the filesystem.
Yields:
str: absolute path to files on the filesystem found
recursively within the given directory.
"""
_combine = combine
for _path, info in self._iter_walk(fs, path=path):
if info is not None and not info.is_dir:
yield _combine(_path, info.name)
def dirs(self, fs, path="/"):
# type: (FS, Text) -> Iterator[Text]
"""Walk a filesystem, yielding absolute paths to directories.
Arguments:
fs (FS): A filesystem instance.
path (str): A path to a directory on the filesystem.
Yields:
str: absolute path to directories on the filesystem found
recursively within the given directory.
"""
_combine = combine
for _path, info in self._iter_walk(fs, path=path):
if info is not None and info.is_dir:
yield _combine(_path, info.name)
def info(
self,
fs, # type: FS
path="/", # type: Text
namespaces=None, # type: Optional[Collection[Text]]
):
# type: (...) -> Iterator[Tuple[Text, Info]]
"""Walk a filesystem, yielding tuples of ``(<path>, <info>)``.
Arguments:
fs (FS): A filesystem instance.
path (str): A path to a directory on the filesystem.
namespaces (list, optional): A list of additional namespaces
to add to the `Info` objects.
Yields:
(str, Info): a tuple of ``(<absolute path>, <resource info>)``.
"""
_combine = combine
_walk = self._iter_walk(fs, path=path, namespaces=namespaces)
for _path, info in _walk:
if info is not None:
yield _combine(_path, info.name), info
def _walk_breadth(
self,
fs, # type: FS
path, # type: Text
namespaces=None, # type: Optional[Collection[Text]]
):
# type: (...) -> Iterator[Tuple[Text, Optional[Info]]]
"""Walk files using a *breadth first* search."""
queue = deque([path])
push = queue.appendleft
pop = queue.pop
_combine = combine
_scan = self._scan
_calculate_depth = self._calculate_depth
_check_open_dir = self._check_open_dir
_check_scan_dir = self._check_scan_dir
_check_file = self.check_file
depth = _calculate_depth(path)
while queue:
dir_path = pop()
for info in _scan(fs, dir_path, namespaces=namespaces):
if info.is_dir:
_depth = _calculate_depth(dir_path) - depth + 1
if _check_open_dir(fs, dir_path, info):
yield dir_path, info # Opened a directory
if _check_scan_dir(fs, dir_path, info, _depth):
push(_combine(dir_path, info.name))
else:
if _check_file(fs, info):
yield dir_path, info # Found a file
yield dir_path, None # End of directory
def _walk_depth(
self,
fs, # type: FS
path, # type: Text
namespaces=None, # type: Optional[Collection[Text]]
):
# type: (...) -> Iterator[Tuple[Text, Optional[Info]]]
"""Walk files using a *depth first* search."""
# No recursion!
_combine = combine
_scan = self._scan
_calculate_depth = self._calculate_depth
_check_open_dir = self._check_open_dir
_check_scan_dir = self._check_scan_dir
_check_file = self.check_file
depth = _calculate_depth(path)
stack = [
(path, _scan(fs, path, namespaces=namespaces), None)
] # type: List[Tuple[Text, Iterator[Info], Optional[Tuple[Text, Info]]]]
push = stack.append
while stack:
dir_path, iter_files, parent = stack[-1]
info = next(iter_files, None)
if info is None:
if parent is not None:
yield parent
yield dir_path, None
del stack[-1]
elif info.is_dir:
_depth = _calculate_depth(dir_path) - depth + 1
if _check_open_dir(fs, dir_path, info):
if _check_scan_dir(fs, dir_path, info, _depth):
_path = _combine(dir_path, info.name)
push(
(
_path,
_scan(fs, _path, namespaces=namespaces),
(dir_path, info),
)
)
else:
yield dir_path, info
else:
if _check_file(fs, info):
yield dir_path, info
class BoundWalker(typing.Generic[_F]):
"""A class that binds a `Walker` instance to a `FS` instance.
You will typically not need to create instances of this class
explicitly. Filesystems have a `~FS.walk` property which returns a
`BoundWalker` object.
Example:
>>> tmp_fs = fs.tempfs.TempFS()
>>> tmp_fs.walk
BoundWalker(TempFS())
A `BoundWalker` is callable. Calling it is an alias for the
`~fs.walk.BoundWalker.walk` method.
"""
def __init__(self, fs, walker_class=Walker):
# type: (_F, Type[Walker]) -> None
"""Create a new walker bound to the given filesystem.
Arguments:
fs (FS): A filesystem instance.
walker_class (type): A `~fs.walk.WalkerBase`
sub-class. The default uses `~fs.walk.Walker`.
"""
self.fs = fs
self.walker_class = walker_class
def __repr__(self):
# type: () -> Text
return "BoundWalker({!r})".format(self.fs)
def _make_walker(self, *args, **kwargs):
# type: (*Any, **Any) -> Walker
"""Create a walker instance."""
walker = self.walker_class(*args, **kwargs)
return walker
def walk(
self,
path="/", # type: Text
namespaces=None, # type: Optional[Collection[Text]]
**kwargs # type: Any
):
# type: (...) -> Iterator[Step]
"""Walk the directory structure of a filesystem.
Arguments:
path (str):
namespaces (list, optional): A list of namespaces to include
in the resource information, e.g. ``['basic', 'access']``
(defaults to ``['basic']``).
Keyword Arguments:
ignore_errors (bool): If `True`, any errors reading a
directory will be ignored, otherwise exceptions will be
raised.
on_error (callable): If ``ignore_errors`` is `False`, then
this callable will be invoked with a path and the exception
object. It should return `True` to ignore the error, or
`False` to re-raise it.
search (str): If ``'breadth'`` then the directory will be
walked *top down*. Set to ``'depth'`` to walk *bottom up*.
filter (list): If supplied, this parameter should be a list
of file name patterns, e.g. ``['*.py']``. Files will only be
returned if the final component matches one of the
patterns.
exclude (list, optional): If supplied, this parameter should be
a list of filename patterns, e.g. ``['~*', '.*']``. Files matching
any of these patterns will be removed from the walk.
filter_dirs (list, optional): A list of patterns that will be used
to match directories paths. The walk will only open directories
that match at least one of these patterns.
exclude_dirs (list): A list of patterns that will be used
to filter out directories from the walk, e.g. ``['*.svn',
'*.git']``.
max_depth (int, optional): Maximum directory depth to walk.
Returns:
~collections.Iterator: an iterator of ``(<path>, <dirs>, <files>)``
named tuples, where ``<path>`` is an absolute path to a
directory, and ``<dirs>`` and ``<files>`` are a list of
`~fs.info.Info` objects for directories and files in ``<path>``.
Example:
>>> walker = Walker(filter=['*.py'])
>>> for path, dirs, files in walker.walk(my_fs, namespaces=['details']):
... print("[{}]".format(path))
... print("{} directories".format(len(dirs)))
... total = sum(info.size for info in files)
... print("{} bytes".format(total))
[/]
2 directories
55 bytes
...
This method invokes `Walker.walk` with bound `FS` object.
"""
walker = self._make_walker(**kwargs)
return walker.walk(self.fs, path=path, namespaces=namespaces)
__call__ = walk
def files(self, path="/", **kwargs):
# type: (Text, **Any) -> Iterator[Text]
"""Walk a filesystem, yielding absolute paths to files.
Arguments:
path (str): A path to a directory.
Keyword Arguments:
ignore_errors (bool): If `True`, any errors reading a
directory will be ignored, otherwise exceptions will be
raised.
on_error (callable): If ``ignore_errors`` is `False`, then
this callable will be invoked with a path and the exception
object. It should return `True` to ignore the error, or
`False` to re-raise it.
search (str): If ``'breadth'`` then the directory will be
walked *top down*. Set to ``'depth'`` to walk *bottom up*.
filter (list): If supplied, this parameter should be a list
of file name patterns, e.g. ``['*.py']``. Files will only be
returned if the final component matches one of the
patterns.
exclude (list, optional): If supplied, this parameter should be
a list of filename patterns, e.g. ``['~*', '.*']``. Files matching
any of these patterns will be removed from the walk.
filter_dirs (list, optional): A list of patterns that will be used
to match directories paths. The walk will only open directories
that match at least one of these patterns.
exclude_dirs (list): A list of patterns that will be used
to filter out directories from the walk, e.g. ``['*.svn',
'*.git']``.
max_depth (int, optional): Maximum directory depth to walk.
Returns:
~collections.Iterator: An iterator over file paths (absolute
from the filesystem root).
This method invokes `Walker.files` with the bound `FS` object.
"""
walker = self._make_walker(**kwargs)
return walker.files(self.fs, path=path)
def dirs(self, path="/", **kwargs):
# type: (Text, **Any) -> Iterator[Text]
"""Walk a filesystem, yielding absolute paths to directories.
Arguments:
path (str): A path to a directory.
Keyword Arguments:
ignore_errors (bool): If `True`, any errors reading a
directory will be ignored, otherwise exceptions will be
raised.
on_error (callable): If ``ignore_errors`` is `False`, then
this callable will be invoked with a path and the exception
object. It should return `True` to ignore the error, or
`False` to re-raise it.
search (str): If ``'breadth'`` then the directory will be
walked *top down*. Set to ``'depth'`` to walk *bottom up*.
filter_dirs (list, optional): A list of patterns that will be used
to match directories paths. The walk will only open directories
that match at least one of these patterns.
exclude_dirs (list): A list of patterns that will be used
to filter out directories from the walk, e.g. ``['*.svn',
'*.git']``.
max_depth (int, optional): Maximum directory depth to walk.
Returns:
~collections.Iterator: an iterator over directory paths
(absolute from the filesystem root).
This method invokes `Walker.dirs` with the bound `FS` object.
"""
walker = self._make_walker(**kwargs)
return walker.dirs(self.fs, path=path)
def info(
self,
path="/", # type: Text
namespaces=None, # type: Optional[Collection[Text]]
**kwargs # type: Any
):
# type: (...) -> Iterator[Tuple[Text, Info]]
"""Walk a filesystem, yielding path and `Info` of resources.
Arguments:
path (str): A path to a directory.
namespaces (list, optional): A list of namespaces to include
in the resource information, e.g. ``['basic', 'access']``
(defaults to ``['basic']``).
Keyword Arguments:
ignore_errors (bool): If `True`, any errors reading a
directory will be ignored, otherwise exceptions will be
raised.
on_error (callable): If ``ignore_errors`` is `False`, then
this callable will be invoked with a path and the exception
object. It should return `True` to ignore the error, or
`False` to re-raise it.
search (str): If ``'breadth'`` then the directory will be
walked *top down*. Set to ``'depth'`` to walk *bottom up*.
filter (list): If supplied, this parameter should be a list
of file name patterns, e.g. ``['*.py']``. Files will only be
returned if the final component matches one of the
patterns.
exclude (list, optional): If supplied, this parameter should be
a list of filename patterns, e.g. ``['~*', '.*']``. Files matching
any of these patterns will be removed from the walk.
filter_dirs (list, optional): A list of patterns that will be used
to match directories paths. The walk will only open directories
that match at least one of these patterns.
exclude_dirs (list): A list of patterns that will be used
to filter out directories from the walk, e.g. ``['*.svn',
'*.git']``.
max_depth (int, optional): Maximum directory depth to walk.
Returns:
~collections.Iterable: an iterable yielding tuples of
``(<absolute path>, <resource info>)``.
This method invokes `Walker.info` with the bound `FS` object.
"""
walker = self._make_walker(**kwargs)
return walker.info(self.fs, path=path, namespaces=namespaces)
# Allow access to default walker from the module
# For example:
# fs.walk.walk_files()
default_walker = Walker()
walk = default_walker.walk
walk_files = default_walker.files
walk_info = default_walker.info
walk_dirs = default_walker.dirs