在使用jenkins的pipeline时,中间需要进行sonar扫描,然后获取扫描结果。根据官方文件推荐的用法是
pipeline {
agent none
stages {
stage("build & SonarQube analysis") {
agent any
steps {
withSonarQubeEnv('My SonarQube Server') {
sh 'mvn clean package sonar:sonar'
}
}
}
stage("Quality Gate") {
steps {
timeout(time: 1, unit: 'HOURS') {
waitForQualityGate abortPipeline: true
}
}
}
}
}
但是在实际使用中,经常会发现pipeline进行到waitForQualityGate的时候卡主了,然后一直等到超时失败。如果是一直都这样,可能是代码问题,但是中间也发现了有成功的,比较了一下其中的日志
Checking status of SonarQube task 'AWtGGjSM2r9GjunlWjW1' on server 'sonar'
SonarQube task 'AWtGGjSM2r9GjunlWjW1' status is 'PENDING'
Cancelling nested steps due to timeout //失败的
Checking status of SonarQube task 'AWtGINcT2r9GjunlWjW5' on server 'sonar'
SonarQube task 'AWtGINcT2r9GjunlWjW5' status is 'SUCCESS'
SonarQube task 'AWtGINcT2r9GjunlWjW5' completed. Quality gate is 'OK' //成功的
能够发现在调用waitForQualityGate的时候,如果状态是成功,就直接通过了,如果是pending状态,就会一直阻塞。看了文档,这个方法应该是同步的,但是按照实际的测试,在调用方法的时候会去请求一次sonar结果,如果不是终态,就会阻塞住,然后貌似也没有再次去请求最新的状态,相当于是sonar jenkins插件的一个bug吧。
我能想到的解决方式是在waitForQualityGate之前,先sleep几秒,然后去取状态的时候就能直接取到终态了。因为在调用waitForQualityGate的时候,sonar扫描已经完成了,所以很快就会有结果产生。
pipeline {
agent none
stages {
stage("build & SonarQube analysis") {
agent any
steps {
withSonarQubeEnv('My SonarQube Server') {
sh 'mvn clean package sonar:sonar'
}
}
}
stage("Quality Gate") {
steps {
timeout(time: 1, unit: 'HOURS') {
sleep(5)
waitForQualityGate abortPipeline: true
}
}
}
}
}