How to show only total file size of particular extension by `du` command

With GNU du (i.e. on non-embedded Linux or Cygwin), you can use the --exclude option to exclude the files you don't want to match.

du -s --exclude='*.html' /var/foo

If you want to positively match *.pdf files, you'll need to use some other method to list the files, and du will at least display one output line per argument, plus a grand total with the option -c. You can call tail to remove all but the last line, or sed to remove the word “total” as well. To enumerate the files in that one directory, use wildcards in the shell.

du -sc /var/foo/*.pdf | tail -n1
du -sc /var/foo/*.pdf | sed -n '$s/\t.*//p'

If you need to traverse files in subdirectories as well, use find, or use a **/ pattern if your shell supports that. For **/, in bash, first run shopt -s extglob, and note that bash versions up to 4.2 will traverse symbolic links to directories; in zsh, this works out of the box.

du -sc /var/foo/**/*.pdf | tail -n1

An added complication with the find version is that if there are too many files, find will run du more than once, to keep under the command line length limit. With the wildcard method, you'll get an error if that happens (“command line length limit exceeded”). The following code assumes that you don't have any matching file name containing a newline.

find /var/foo -name '*.pdf' -exec du -sc {} + |
awk '$2 == "total" {total += $1} END {print total}'

You can let the shell expand the files:

$ mkdir foo
$ echo "abc" > foo/1.pdf
$ echo "abcd" > foo/2.pdf
$ echo "abcd" > foo/3.html
$ du -ch foo/*.pdf
4,0K    foo/1.pdf
4,0K    foo/2.pdf
8,0K    total

However as you can see this indiates filesizes about 1000 times as just created. A better option is using the -b option:

$ du -cbh foo/*.pdf
4   foo/1.pdf
5   foo/2.pdf
9   total

Large filesizes will still be displayed in human readable form—e.g. 173K.