在 Gradle 中展平 FileTree 的第一个目录

Flatten first directory of a FileTree in Gradle

我正在编写一个任务,将 tarball 提取到一个目录中。我无法控制此 tarball 的内容。

tarball 包含一个目录,其中包含我真正关心的所有文件。我想从该目录中提取所有内容并将其复制到我的目标中。

示例:

/root/subdir
/root/subdir/file1
/root/file2

期望:

/subdir
/subdir/file1
/file2

到目前为止,这是我尝试过的方法,但这似乎是一种非常愚蠢的方法:

copy {
    eachFile {
        def segments = it.getRelativePath().getSegments() as List
        it.setPath(segments.tail().join("/"))
        return it
    }
    from tarTree(resources.gzip('mytarfile.tar.gz'))
    into destinationDir
}

对于每个文件,我获取其路径的元素,删除第一个元素,将其与 / 连接,然后将其设置为文件路径。这有效……有点。问题是这会创建以下结构:

/root/subdir
/root/subdir/file1
/root/file2
/subdir
/subdir/file1
/file2

作为任务的最后一步,我自己删除根目录没有问题,但我觉得应该有更简单的方法来完成此操作。

AFAIK,唯一的方法是解压缩 zip,tar,tgz 文件:(

有一个未解决的问题here 请去投票吧!

到那时,解决方案不是很漂亮,但也不那么难。在下面的示例中,我假设您要从仅包含 apache-tomcat zip 文件的 'tomcat' 配置中删除 'apache-tomcat-XYZ' 根级目录。

def unpackDir = "$buildDir/tmp/apache.tomcat.unpack"
task unpack(type: Copy) {
    from configurations.tomcat.collect {
        zipTree(it).matching {
            // these would be global items I might want to exclude
            exclude '**/EMPTY.txt'
            exclude '**/examples/**', '**/work/**'
        }
    }
    into unpackDir
}

def mainFiles = copySpec {
    from {
        // use of a closure here defers evaluation until execution time
        // It might not be clear, but this next line "moves down" 
        // one directory and makes everything work
        "${unpackDir}/apache-tomcat-7.0.59"
    }
    // these excludes are only made up for an example
    // you would only use/need these here if you were going to have
    // multiple such copySpec's. Otherwise, define everything in the
    // global unpack above.
    exclude '**/webapps/**'
    exclude '**/lib/**'
}

task createBetterPackage(type: Zip) {
    baseName 'apache-tomcat'
    with mainFiles
}
createBetterPackage.dependsOn(unpack)

使用groovy的语法,我们可以使用正则表达式来消除第一个路径段:

task myCopyTask(type: Copy) {
    eachFile {
        path -= ~/^.+?\//
    }
    from tarTree(resources.gzip('mytarfile.tar.gz'))
    into destinationDir

    includeEmptyDirs = false // ignore empty directories
}