How to calculate number of subdirectories and byte count per file in Bash

341 Views Asked by At

Can I get help fixing my code to count every subdirectory (excluding "PATH" itself)?

num_directories=$( find $dir -type d | wc -l)

Also need help fixing the total byte count of each file

total_size=$( find $dir -type f -ls | awk '{total+=5}END{print total}';)

I understand you won't have access to the same files but I think the code with the calculations would be the same.

1

There are 1 best solutions below

0
On

To count all subdirectories recursively under a directory, excluding the directory itself:

find "$d" -mindepth 1 -type d | wc -l

Example:

> mkdir -p 1; mkdir -p 2
> find . -type d | wc -l
3
> find . -mindepth 1 -type d | wc -l
2

Also do not parse the text output of ls command for any reason, see why here and here.

To print the byte count for all files (recursively) in the current directory:

find -type f -exec wc -c {} +

To get the total as a number alone (retract only the first field of last line)

find -type f -exec wc -c {} + | sed -n '$ s/ .*$//p'

or the same

find -type f -exec wc -c {} + | awk 'END{ print $1}'