In this tutorial, you will learn how to check if a given directory is empty or not in Swift language using contentsOfDirectory() method.
Check if given Directory is Empty in Swift
To check if a given directory is empty or not, in Swift, we have to check if the contents of the directory is empty or not.
Follow these steps.
- Given a path to directory.
- Get the default shared File manager using FileManager.defaut.
- Get the contents of the directory by calling contentsOfDirectory() method of file manager, and passing the path to directory.
- Read the isEmpty property of the contents returned.
- If isEmpty property returns true, then the given directory is empty. Or else, the directory is not empty.
- We can use the isEmpty property as condition in Swift if-else statement.
The syntax to get the contents of the directory at path is
fileManager.contentsOfDirectory(atPath: path)
Examples
1. Check if directory is empty
In this example, we take a path "/Users/tutorialkart/dummy/"
, and check if this directory is empty or not.
The given directory is empty.
data:image/s3,"s3://crabby-images/33a82/33a82064d0c1dda4135a93f68c177548a7d91582" alt=""
main.swift
import Foundation
let path = "/Users/tutorialkart/dummy/"
let fileManager = FileManager.default
do {
let contents = try fileManager.contentsOfDirectory(atPath: path)
if contents.isEmpty {
print("DIRECTORY IS EMPTY.")
} else {
print("DIRECTORY IS NOT EMPTY.")
}
} catch {
print("Error reading directory contents: \(error)")
}
Output
Since the given directory is empty, isEmpty property returns true, and the if-block is run.
data:image/s3,"s3://crabby-images/12202/1220274f88cc0a59066cf7b3b41f0da2c9542874" alt="Swift - Check if Directory is Empty - Output when given directory is empty"
2. Directory is not empty
In this example, we take a path "/Users/tutorialkart/"
, and check if this directory is empty or not.
main.swift
import Foundation
let path = "/Users/tutorialkart/"
let fileManager = FileManager.default
do {
let contents = try fileManager.contentsOfDirectory(atPath: path)
if contents.isEmpty {
print("DIRECTORY IS EMPTY.")
} else {
print("DIRECTORY IS NOT EMPTY.")
}
} catch {
print("Error reading directory contents: \(error)")
}
Output
The directory at given path is not empty, and therefore, isEmpty property returns false, and the else-block is run.
data:image/s3,"s3://crabby-images/dd1df/dd1df2a32821a031d2cc19e5ada9fbe7ccf249da" alt="Swift - Check if Directory is Empty - Output when given directory is not empty"
Conclusion
In this Swift Tutorial, we have seen how to check if a directory is empty or not, using contentsOfDirectory() method of file manager, with examples.