Total disk usage for a particular user

I would like to see the total disk usage for myself on a particular file system. I executed the command

du -h ~my_user_name

However, this lists every directory owned by my_user_name. I would like to get the sum total of all of this information. What is the appropriate option to pass? I tried

du -h -c ~my_user_name

but that did not work.


Passing -s to du will restrict the output to only the items specified on the command line.

du -sh ~

Du will only show you the totals per folder, not per user.

That might work if you want the total size of, say, /home/example_user/ and if only that example_user has files in that folder. If other users have files in them then this will not yield size of all files owned by you, but the total size of all files in that folder.

To get the information per user, either:

  1. If you have quota's enabled, use those commands.
  2. Use find to walk though all the directories you want to count your files in. Use the uid to only select your files and keep an associative array in awk to count the totals.

find /path/to/search/ -user username_whos_files_to_count -type f -printf "%s\n" | awk '{t+=$1}END{print t}'

Note, this uses a GNU find specific extension.

  • The first command searches past all files and directories in /path/to/search/.
  • -type f makes sure you only select files, otherwise you are also counting the size of directories. (Try making an empty folder. It will probably use 4k diskspace).
  • -user username_whos_files_to_count only selects the results from one user
  • -printf "%s\n" will print the size.

If you just run the first part of this, you will get a list of numbers. Those are the file sizes. (Everything else is stripped, only the size is printed thanks to the %s print command.)

We can then add all those numbers to get a summary. In the example, this is done with awk.


To find all the use by a specific user, a good command is:

find -user $USER -type f -exec du -chs {} +

You can further modify depending on specific needs, for example I often want to summarize use by folder, and the following works well:

find . -maxdepth 1 -user $USER -type d ! -path . -exec du -chs {} +

This finds only directories on one level, limits by user, excludes the parent directory, and prints each directory and a summary at the end.