有没有办法获取 Jenkinsfile 中作业的当前标签(如果没有,则为 null)?背景是当这个提交有标签时,我只想构建一些工件(android APKs)。我试过了:
env.TAG_NAME
和
binding.variables.get("TAG_NAME")
两者都始终为空 - 即使这(https://issues.jenkins-ci.org/browse/JENKINS-34520)另有说明
有没有办法获取 Jenkinsfile 中作业的当前标签(如果没有,则为 null)?背景是当这个提交有标签时,我只想构建一些工件(android APKs)。我试过了:
env.TAG_NAME
和
binding.variables.get("TAG_NAME")
两者都始终为空 - 即使这(https://issues.jenkins-ci.org/browse/JENKINS-34520)另有说明
即使没有标记 HEAD,所有其他答案在任何情况下都会产生输出。然而,问题是如果没有类似的东西,则返回当前标签和“null”。
git tag --contains
当且仅当 HEAD 被标记时,才会产生标记名称 name。
对于 Jenkins Pipelines,它应该如下所示:
sh(returnStdout: true, script: "git tag --contains").trim()
我会考虑returnStdout
而不是写入文件:
sh(returnStdout: true, script: "git tag --sort version:refname | tail -1").trim()
现在TAG_NAME
应该至少在声明性管道中工作。
When
条件实际上过滤了这个属性。BRANCH_NAME
具有相同的价值。
stage('release') {
when {
tag 'release-*'
}
steps {
echo "Building $BRANCH_NAME"
echo "Building $TAG_NAME"
}
}
如果当前构建是一个标签构建——例如,when { buildingTag() }
是“真”——那么(未记录的)环境变量BRANCH_NAME
包含正在构建的标签的名称。
我的网站上最好的方法是:
git tag --sort=-creatordate | head -n 1
和:
latestTag = sh(returnStdout: true, script: "git tag --sort=-creatordate | head -n 1").trim()
比你可以用简单的正则表达式处理前缀/后缀/版本号与标签有什么关系。
其他解决方案:
git describe --tags --abbrev=0
当然这是 git 中的当前/最新标签。独立于写作。
sh(returnStdout: true, script: "git describe --tags --abbrev=0").trim()
我相信执行您想要的操作的 git 命令git tag --points-at=HEAD
将列出所有指向当前提交或 HEAD 的标签,因为它通常在 git 中调用。由于 HEAD 也是默认参数,因此您也可以只做git tag --points-at
.
为每一行执行和返回一个 git 标签的管道步骤,然后变为:
sh(returnStdout: true, script: "git tag --points-at")
sh "git tag --sort version:refname | tail -1 > version.tmp"
String tag = readFile 'version.tmp'
OP 用例之后的声明性管道示例:“如果此特定提交附加了标签,请执行某些操作”:
def gitTag = null
pipeline {
agent any
stages {
stage('Checkout') {
steps {
checkout(...)
script {
gitTag=sh(returnStdout: true, script: "git tag --contains | head -1").trim()
}
}
}
stage('If tagged') {
when {
expression {
return gitTag;
}
}
steps {
// ... do something only if there's a tag on this particular commit
}
}
}
}
就我而言,我有:
我需要分析当前标签以检查它是否与我的管道项目有关(每个项目使用一个 PROJECT_NAME 变量):
def gitTag = null
def gitTagVersion = null
pipeline {
agent any
stages {
stage('Checkout') {
steps {
checkout(...)
script {
gitTag=sh(returnStdout: true, script: "git tag --contains | head -1").trim()
if(gitTag) {
def parts = gitTag.split('_')
if( parts.size()==2 && parts[0]==PROJECT_NAME ) {
gitTagVersion=parts[1]
}
}
}
}
}
stage('If tagged') {
when {
expression {
return gitTagVersion;
}
}
steps {
// ... do something only if there's a tag for this project on this particular commit
}
}
}
}
请注意,我是 Jenkins 和 Groovy 的新手,这可能会写得更简单/干净(欢迎提出建议)。
(与詹金斯 2.268)