web-dev-qa-db-ja.com

Jenkinsワークフローに外部コードファイルを含めるにはどうすればよいですか

ワークフロースクリプトに外部コードを含めようとしていますが、何かが足りません。最初のステップはうまくいくようです。パスが無効な場合、これは失敗します。

evaluate( new File('/home/larry.fast/Wkflo.groovy'))

しかし、私は以下の構文のバリエーションをいくつか試しましたが、機能する呪文は見つかりませんでした。すべての試みで、「クラスmycode.Wkfloを解決できません」のバリアントが生成されました。

def z = mycode.Wkflo()

Wkflo.groovyに含まれるもの:

package mycode;
def hello() {
  echo "Hello from workflow"
}

Run(File())やパッケージ宣言の削除などのバリエーションも試しました。

12
ScaryGhast

Jenkinsワークフローのドキュメントに「スクリプトテキストの読み込み」に関するセクションが含まれるようになりました https://github.com/jenkinsci/workflow-plugin/blob/master/tokyo.md しかし、フォローするのが難しいことがわかりました。これは、外部ファイルで完全なワークフローやその他のメソッドを作成する方法を示す簡単な例です。

Jenkinsのワークフローコード:

// Loading code requires a NODE context
// But we want the code accessible outside the node Context
// So declare extcode (object created by the LOAD operation) outside the Node block.
def extcode 

node {
    // paths are relative to your workspace
    // you may need to run git to populate your workspace
    git url: 'ssh://mygitrepo'
    extcode = load 'myExtCode.wkflo'

    // or you can directly access the file system
    // Eg. when developing your code in a local git clone
    extcode = load '/some/absolute/path/myExtCode.wkflo'

    // extcode is now a groovy object containing everything declared in the file
    extcode.hello('world')
}
// If your code contains Stage and Node blocks, 
// you'll want to initiate that code outside of the node() block above
extcode.extMain()

------ myExtCode.wkflo

// Any command placed at the root of the file get executed during the load operation
echo "hello from loading myExtCode"

// Methods declared in external code are accessible
//   directly from other code in the external file
//   indirectly via the object created by the load operation
//   eg.  extcode.hello('use this syntax from your main code')
def hello(whom) {
    echo "Hello ${whom}"
}

// Complete workflows should be created inside a controlling method
// else they will run nested inside the node() block when the load takes place (edit: added missing "def" keyword
def extMain() {
    stage 'External Code is running'
    node() {
        hello('from external node block')
    }
}

// !!Important Boilerplate!!     
// The external code must return it's contents as an object
return this;
20
ScaryGhast