How to copy a file glob with directory structure

1k Views Asked by At

I want to copy selected build products, preserving their part of the directory structure, but this:

Dir.chdir('build/sources/ios_src') {
  FileUtils.cp_r(Dir.glob('build/Build/Products/*/*.app*'), '/tmp/bcsh')
}

results in

Errno::ENOENT: No such file or directory @ dir_s_mkdir - /tmp/bcsh/Booble.app

despite the glob returning this:

Dir.chdir('build/sources/ios_src') {
  Dir.glob('build/Build/Products/*/*.app*')
}
 => ["build/Build/Products/Calabash-iphonesimulator/Booble.app",
     "build/Build/Products/Calabash-iphonesimulator/Booble.app.dSYM"] 

I want /tmp/bsch/build/Build/Products/.../Booble.app and .../Booble.app.dSYM not /tmp/bcsh/Booble.app and /tmp/bcsh/Booble.app.dSYM.

For clarity, I'm capable of creating a directory, but the error more usefully shows that the files would end up where I don't want them than more verbiage.

2

There are 2 best solutions below

9
On
Dir.chdir('build/sources/ios_src') do
  Dir.glob('build/Build/Products/*/*.app*') do |filename|
    dir = File.join("/tmp/bcsh", *filename.split(File::SEPARATOR)[0...-1])

    FileUtils.mkdir_p(dir)
    FileUtils.cp(filename, dir)
  end
end
6
On

Hm. Thanks to mudasobwa for the hint about glob taking a block. This seems to copy the results of the glob, preserving both the directory structure OF the glob and within each entry:

Dir.chdir('build/sources/ios_src') {
  Dir.glob('build/Build/Products/*/*.app*') { |file|
    dest = File.dirname("/tmp/bcsh/#{file}")
    FileUtils.mkdir_p(dest) && FileUtils.cp_r(file, dest)
  }
}

Not keen on the temporary, but

.... { |file|
  FileUtils.cp_r(file, FileUtils.mkdir_p(File.dirname("/tmp/bcsh/#{file}")).first)
}

is a bit extreme.