Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to order files by last modified time in ruby?

How to get files in last modified time order in ruby? I was able to smash my keyboard enough to achieve this:

file_info = Hash[*Dir.glob("*").collect {|file| [file, File.ctime(file)]}.flatten]
sorted_file_info = file_info.sort_by { |k,v| v}
sorted_files = sorted_file_info.collect { |file, created_at| file }

But I wonder if there is more sophisticated way to do this?

like image 403
Joni Avatar asked Jan 19 '11 19:01

Joni


3 Answers

How about simply:

# If you want 'modified time', oldest first
files_sorted_by_time = Dir['*'].sort_by{ |f| File.mtime(f) }

# If you want 'directory change time' (creation time for Windows)
files_sorted_by_time = Dir['*'].sort_by{ |f| File.ctime(f) }
like image 119
Phrogz Avatar answered Oct 21 '22 16:10

Phrogz


A real problem with this is that *nix based file systems don't keep creation times for files, only modification times.

Windows does track it, but you're limited to that OS with any attempt to ask the underlying file system for help.

Also, ctime doesn't mean "creation time", it is "change time", which is the change time of the directory info POINTING to the file.

If you want the file's modification time, it's mtime, which is the change time of the file. It's a subtle but important difference.

like image 29
the Tin Man Avatar answered Oct 21 '22 15:10

the Tin Man


Dir.glob("*").sort {|a,b| File.ctime(a) <=> File.ctime(b) }

like image 4
scragz Avatar answered Oct 21 '22 16:10

scragz