To list all the files in the documents directory of an iOS app, you can use the FileManager class provided by Apple's Foundation framework in Swift. The documents directory is a location where your app can store user-generated content and other important data. Here's an example of how you can retrieve a list of files from the documents directory:
1func listFilesInDocumentsDirectory() {2    let fileManager = FileManager.default3    guard let documentsURL = fileManager.urls(for: .documentDirectory, in: .userDomainMask).first else {4        print("Documents directory not found!")5        return6    }7
8    do {9        let fileURLs = try fileManager.contentsOfDirectory(at: documentsURL, includingPropertiesForKeys: nil)10        for fileURL in fileURLs {11            print(fileURL.lastPathComponent)12        }13    } catch {14        print("Error while enumerating files: \(error.localizedDescription)")15    }16}17
18// Call the function to list files in the documents directory19listFilesInDocumentsDirectory()In the above code, we first obtain the URL for the documents directory using FileManager. Then, we use the contentsOfDirectory(at:includingPropertiesForKeys:) method to get an array of URLs for all the files in the documents directory. Finally, we iterate over the file URLs and print the last path component, which represents the name of each file.
You can customize this code to perform various operations on the files, such as filtering based on file extensions or accessing specific file attributes. Additionally, you can integrate this logic into your iOS app to display a list of files to the user or perform any required file management tasks.
Listing all the files in the documents directory provides valuable insights into the contents stored by your app and allows you to manipulate the data as needed. Whether it's managing user-generated content, cache files, or other important resources, knowing how to access and retrieve these files is essential for effective iOS app development.