Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Get Subdirectories using Swift

I'm trying to get ONLY subdirectories. Here's my data structure.

root/

  • a/
    • 1.txt
    • 2.txt
  • b/
    • 3.txt
    • 4.txt

I want to get directories in a specific folder(root). I use enumerator in root file path:

let enumerator = NSFileManager.defaultManager().enumeratorAtPath(filePath)
for element in enumerator! {
   print(element)
}

However, It will iterate every files in root. How can I get just subdirectories (a&b) ?

like image 686
Willjay Avatar asked Dec 21 '15 03:12

Willjay


1 Answers

There is no need to use a deep enumeration. Just get contentsOfDirectoryAtURL and filter the urls returned which are directories.

Xcode 11.4• Swift 5.2

extension URL {
    func subDirectories() throws -> [URL] {
        // @available(macOS 10.11, iOS 9.0, *)
        guard hasDirectoryPath else { return [] }
        return try FileManager.default.contentsOfDirectory(at: self, includingPropertiesForKeys: nil, options: [.skipsHiddenFiles]).filter(\.hasDirectoryPath)
    }
}

usage:

 do {
    let documentsDirectory =  try FileManager.default.url(for: .documentDirectory, in: .userDomainMask, appropriateFor: nil, create: true)
    let url = documentsDirectory.appendingPathComponent("pictures", isDirectory: true)
    if !FileManager.default.fileExists(atPath: url.path) {
        try FileManager.default.createDirectory(at: url, withIntermediateDirectories: false, attributes: nil)
    }
    let subDirs = try documentsDirectory.subDirectories()
    print("sub directories", subDirs)
    subDirs.forEach { print($0.lastPathComponent) }
} catch {
    print(error)
}
like image 73
Leo Dabus Avatar answered Nov 10 '22 23:11

Leo Dabus