views:

35

answers:

2

Hi there, I'm hoping this is a simple one.

I run a Rails web app where I'm hosting about 100 school websites. The one app handles all the sites, and I have a management interface where we can add and remove schools etc...

I want to add a stat to this interface which is the total disk space used by that school. Each schools files are stored in a seperate directory structure so that's easy to find out. The only problem is I need it to be fast. So the question is what's the fastest way to find this info. If it could be found via a ruby call on the fly that would be great, but I'm open to whatever will work. Ideally I'd like to avoid having to cache and background generate this data (at least at the rails level). :)

A: 

Have you tried just running du on each directory on demand? On my aging box I can do a du on a 15M directory in ~4ms and a 250M in ~50ms. These both seems reasonable for the task at hand. How large are the directories? Before you try to really optimize this make sure that its really worth your while. YAGNI and all that.

You could always keep track on the upload when they provide you with the file. That way you just need to track the delta as files are added or removed.

Paul Rubel
I agree. And only do the calculation once per night, or hour, or something like that. It certainly doesn't sound like it's critical and needs to be absolutely consistent.
Kaleb Pederson
Correct, it's only for the occational check. I'll try running du on one of the larger folders and see how quickly it runs :)
Brendon Muir
+2  A: 

If you want to go with pure Ruby you can try this code. Although if you're looking for speed I'm sure du would be faster.

def dir_size(dir_path)
  require 'find'
  size = 0
  Find.find(dir_path) { |f| size += File.size(f) if File.file?(f) }
  size
end

dir_size('/tmp/')
aNoble
This seems to pretty much be the standard way to calculate size, and certainly the easiest if you want the results quickly in Ruby. It's pretty fast although I'll schedule it for once a day in the early hours.
Brendon Muir