Where does Ruby keep track of its open file descriptors? Where does Ruby keep track of its open file descriptors? ruby ruby

Where does Ruby keep track of its open file descriptors?


TL; DR

All File and IO objects are stored in ObjectSpace.

Answer

The ObjectSpace class says:

The ObjectSpace module contains a number of routines that interact with the garbage collection facility and allow you to traverse all living objects with an iterator.

How I Tested This

I tested this at the console on Ruby 1.9.3p194.

The test fixture is really simple. The idea is to have two File objects with different object identities, but only one is directly accessible through a variable. The other is "out there somewhere."

# Don't save a reference to the first object.filename='/tmp/foo'File.open(filename)filehandle = File.open(filename)

I then explored different ways I could interact with the File objects even if I didn't use an explicit object reference. This was surprisingly easy once I knew about ObjectSpace.

# List all open File objects.ObjectSpace.each_object(File) do |f|  puts "%s: %d" % [f.path, f.fileno] unless f.closed?end# List the "dangling" File object which we didn't store in a variable.ObjectSpace.each_object(File) do |f|  unless f.closed?      printf "%s: %d\n", f.path, f.fileno unless f === filehandle  endend# Close any dangling File objects. Ignore already-closed files, and leave# the "accessible" object stored in *filehandle* alone.ObjectSpace.each_object(File) {|f| f.close unless f === filehandle rescue nil}

Conclusion

There may be other ways to do this, but this is the answer I came up with to scratch my own itch. If you know a better way, please post another answer. The world will be a better place for it.