I'm using gulp-rename to rename files.
I want to get files from few directories and put 'em into output directory with some postfix.
This postfix depends on original directory name:
['/dir/a/style.css', '/dir/b/style.css', '/dir/c/style.css']
=>['/output/style_a.css', '/output/style_b.css', '/output/style_c.css']
I do something like this:
var gulp = require('gulp'),
rename = require('gulp-rename'),
files_list = [
'/dir/a/style.css',
'/dir/b/style.css',
'/dir/c/style.css'
];
gulp.src(files_list)
.pipe(rename(function(path) {
// extract dir letter:
var dir_letter = path.dirname.split('dir/')[1].split('/')[0];
// rename file by changing "path" object:
path.basename += '_' + dir_letter;
}))
.pipe(gulp.dest('/output'));
Method rename
iterates callback for each file.
This callback takes object path
as argument, which is contains dirname
property.
But path.dirname
has value '.'
, instead of original file path like a '/dir/a/style.css'
.
So, my question is how can I get initial file path inside of rename
callback?
From the gulp-rename docs:
And
So you may need to use a glob (
/*/
) to make sure it gives you the extra path information indirname
.You could also try
gulp.src('/dir/*/style.css', {base: '/'})
if that does not work (see gulp.src docs).