Answer: import java.io.File;
public class FileSizeCalculator {
public static void main(String[] args) {
// Get the current directory
String currentDir = System.getProperty("user.dir");
// Call the recursive function to calculate the total size
long totalSize = calculateTotalSize(currentDir);
// Print the result in bytes
System.out.println("Total size: " + totalSize + " bytes");
}
public static long calculateTotalSize(String dirPath) {
// Initialize the total size to 0
long totalSize = 0;
// Create a File object for the directory
File dir = new File(dirPath);
// Get the list of files and directories in the directory
File[] files = dir.listFiles();
// Iterate over the files and directories
for (File file : files) {
if (file.isFile()) {
// If the item is a file, add its size to the total size
totalSize += file.length();
} else if (file.isDirectory()) {
// If the item is a directory, call the function recursively
totalSize += calculateTotalSize(file.getAbsolutePath());
}
}
return totalSize;
}
}
Explanation: I hope this helps, check below for explanations!!!
The program first gets the current directory using the System.getProperty("user.dir") method. It then calls the calculateTotalSize() function with the directory path as an argument.
The calculateTotalSize() function initializes the total size to 0 and creates a File object for the directory. It then gets the list of files and directories in the directory using the listFiles() method.
For each file in the list, the function checks if it is a file or a directory. If it is a file, it adds its size to the total size. If it is a directory, it calls the function recursively with the directory path.
Finally, the function returns the total size of all files in the directory and its sub-folders.
The program prints the total size in bytes using the System.out.println() method.