blob: eb4d828368c253bf0634f563b75fd618be0beb78 [file] [log] [blame]
Jakub Josef79ecec32017-02-17 14:36:28 +01001package com.mirantis.mk
2
Jakub Josefbceaa322017-06-13 18:28:27 +02003import com.cloudbees.groovy.cps.NonCPS
Jakub Josefb77c0812017-03-27 14:11:01 +02004import java.util.stream.Collectors
Jakub Josef79ecec32017-02-17 14:36:28 +01005/**
6 * Salt functions
7 *
8*/
9
10/**
11 * Salt connection and context parameters
12 *
13 * @param url Salt API server URL
14 * @param credentialsID ID of credentials store entry
15 */
16def connection(url, credentialsId = "salt") {
Tomáš Kukrál6c04bd02017-03-01 22:18:52 +010017 def common = new com.mirantis.mk.Common()
Jakub Josef79ecec32017-02-17 14:36:28 +010018 params = [
19 "url": url,
20 "credentialsId": credentialsId,
21 "authToken": null,
22 "creds": common.getCredentials(credentialsId)
23 ]
24 params["authToken"] = saltLogin(params)
Jakub Josef79ecec32017-02-17 14:36:28 +010025 return params
26}
27
28/**
29 * Login to Salt API, return auth token
30 *
31 * @param master Salt connection object
32 */
33def saltLogin(master) {
Tomáš Kukrál7bec0532017-02-20 15:39:31 +010034 def http = new com.mirantis.mk.Http()
Jakub Josef79ecec32017-02-17 14:36:28 +010035 data = [
36 'username': master.creds.username,
37 'password': master.creds.password.toString(),
38 'eauth': 'pam'
39 ]
Tomáš Kukrál7bec0532017-02-20 15:39:31 +010040 authToken = http.restGet(master, '/login', data)['return'][0]['token']
Jakub Josef79ecec32017-02-17 14:36:28 +010041 return authToken
42}
43
44/**
chnydaa0dbb252017-10-05 10:46:09 +020045 * Run action using Salt API (using plain HTTP request from Jenkins master) or Pepper (from slave shell)
Jakub Josef79ecec32017-02-17 14:36:28 +010046 *
chnydaa0dbb252017-10-05 10:46:09 +020047 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method) (determines if command will be sent with Pepper of Salt API )
Jakub Josef79ecec32017-02-17 14:36:28 +010048 * @param client Client type
49 * @param target Target specification, eg. for compound matches by Pillar
50 * data: ['expression': 'I@openssh:server', 'type': 'compound'])
51 * @param function Function to execute (eg. "state.sls")
Jakub Josef2f25cf22017-03-28 13:34:57 +020052 * @param batch Batch param to salt (integer or string with percents)
Jakub Josef79ecec32017-02-17 14:36:28 +010053 * @param args Additional arguments to function
54 * @param kwargs Additional key-value arguments to function
Jiri Broulik48544be2017-06-14 18:33:54 +020055 * @param timeout Additional argument salt api timeout
Vasyl Saienkoe36ab7c2017-07-17 14:35:48 +030056 * @param read_timeout http session read timeout
Jakub Josef79ecec32017-02-17 14:36:28 +010057 */
58@NonCPS
chnydaa0dbb252017-10-05 10:46:09 +020059def runSaltCommand(saltId, client, target, function, batch = null, args = null, kwargs = null, timeout = -1, read_timeout = -1) {
Jakub Josef79ecec32017-02-17 14:36:28 +010060
61 data = [
62 'tgt': target.expression,
63 'fun': function,
64 'client': client,
65 'expr_form': target.type,
66 ]
Jakub Josef5f838212017-04-06 12:43:58 +020067 if(batch != null && ( (batch instanceof Integer && batch > 0) || (batch instanceof String && batch.contains("%")))){
Jakub Josef2f25cf22017-03-28 13:34:57 +020068 data['client']= "local_batch"
69 data['batch'] = batch
Jakub Josef79ecec32017-02-17 14:36:28 +010070 }
71
72 if (args) {
73 data['arg'] = args
74 }
75
76 if (kwargs) {
77 data['kwarg'] = kwargs
78 }
79
Jiri Broulik48544be2017-06-14 18:33:54 +020080 if (timeout != -1) {
81 data['timeout'] = timeout
82 }
83
chnydaa0dbb252017-10-05 10:46:09 +020084 // Command will be sent using HttpRequest
85 if (saltId instanceof HashMap && saltId.containsKey("authToken") ) {
Jakub Josef79ecec32017-02-17 14:36:28 +010086
chnydaa0dbb252017-10-05 10:46:09 +020087 def headers = [
88 'X-Auth-Token': "${saltId.authToken}"
89 ]
90
91 def http = new com.mirantis.mk.Http()
92 return http.sendHttpPostRequest("${saltId.url}/", data, headers, read_timeout)
93 } else if (saltId instanceof HashMap) {
94 throw new Exception("Invalid saltId")
95 }
96
97 // Command will be sent using Pepper
98 return runPepperCommand(data, saltId)
Jakub Josef79ecec32017-02-17 14:36:28 +010099}
100
Jakub Josef5ade54c2017-03-10 16:14:01 +0100101/**
chnydaa0dbb252017-10-05 10:46:09 +0200102 * Return pillar for given saltId and target
103 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Jakub Josef5ade54c2017-03-10 16:14:01 +0100104 * @param target Get pillar target
105 * @param pillar pillar name (optional)
106 * @return output of salt command
107 */
chnydaa0dbb252017-10-05 10:46:09 +0200108def getPillar(saltId, target, pillar = null) {
Tomáš Kukráld2589702017-03-10 16:30:46 +0100109 if (pillar != null) {
chnydaa0dbb252017-10-05 10:46:09 +0200110 return runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'pillar.get', null, [pillar.replace('.', ':')])
Tomáš Kukráld2589702017-03-10 16:30:46 +0100111 } else {
chnydaa0dbb252017-10-05 10:46:09 +0200112 return runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'pillar.data')
Ales Komareka3c7e502017-03-13 11:20:44 +0100113 }
Jakub Josef79ecec32017-02-17 14:36:28 +0100114}
115
Jakub Josef5ade54c2017-03-10 16:14:01 +0100116/**
chnydaa0dbb252017-10-05 10:46:09 +0200117 * Return grain for given saltId and target
118 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Jakub Josef5ade54c2017-03-10 16:14:01 +0100119 * @param target Get grain target
120 * @param grain grain name (optional)
121 * @return output of salt command
122 */
chnydaa0dbb252017-10-05 10:46:09 +0200123def getGrain(saltId, target, grain = null) {
Ales Komarekcec24d42017-03-08 10:25:45 +0100124 if(grain != null) {
chnydaa0dbb252017-10-05 10:46:09 +0200125 return runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'grains.item', null, [grain])
Jakub Josef5ade54c2017-03-10 16:14:01 +0100126 } else {
chnydaa0dbb252017-10-05 10:46:09 +0200127 return runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'grains.items')
Ales Komarekcec24d42017-03-08 10:25:45 +0100128 }
Ales Komarekcec24d42017-03-08 10:25:45 +0100129}
130
Jakub Josef432e9d92018-02-06 18:28:37 +0100131
Jakub Josef5ade54c2017-03-10 16:14:01 +0100132/**
chnydaa0dbb252017-10-05 10:46:09 +0200133 * Enforces state on given saltId and target
134 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Jakub Josef5ade54c2017-03-10 16:14:01 +0100135 * @param target State enforcing target
136 * @param state Salt state
Jakub Josef432e9d92018-02-06 18:28:37 +0100137 * @param excludedStates states which will be excluded from main state (default empty string)
138 * @param output print output (optional, default true)
139 * @param failOnError throw exception on salt state result:false (optional, default true)
140 * @param batch salt batch parameter integer or string with percents (optional, default null - disable batch)
141 * @param optional Optional flag (if true pipeline will continue even if no minions for target found)
142 * @param read_timeout http session read timeout (optional, default -1 - disabled)
143 * @param retries Retry count for salt state. (optional, default -1 - no retries)
144 * @param queue salt queue parameter for state.sls calls (optional, default true) - CANNOT BE USED WITH BATCH
145 * @param saltArgs additional salt args eq. ["runas=aptly"]
146 * @return output of salt command
147 */
148def enforceStateWithExclude(saltId, target, state, excludedStates = "", output = true, failOnError = true, batch = null, optional = false, read_timeout=-1, retries=-1, queue=true, saltArgs=[]) {
149 saltArgs << "exclude=${excludedStates}"
150 return enforceState(saltId, target, state, output, failOnError, batch, optional, read_timeout, retries, queue, saltArgs)
151}
152
153/* Enforces state on given saltId and target
154 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
155 * @param target State enforcing target
156 * @param state Salt state
Jakub Josef5ade54c2017-03-10 16:14:01 +0100157 * @param output print output (optional, default true)
158 * @param failOnError throw exception on salt state result:false (optional, default true)
Jakub Josef2f25cf22017-03-28 13:34:57 +0200159 * @param batch salt batch parameter integer or string with percents (optional, default null - disable batch)
Jakub Josef432e9d92018-02-06 18:28:37 +0100160 * @param optional Optional flag (if true pipeline will continue even if no minions for target found)
Petr Michalecde0ff322017-10-04 09:32:14 +0200161 * @param read_timeout http session read timeout (optional, default -1 - disabled)
162 * @param retries Retry count for salt state. (optional, default -1 - no retries)
163 * @param queue salt queue parameter for state.sls calls (optional, default true) - CANNOT BE USED WITH BATCH
Jakub Josef432e9d92018-02-06 18:28:37 +0100164 * @param saltArgs additional salt args eq. ["runas=aptly", exclude="opencontrail.database"]
Jakub Josef5ade54c2017-03-10 16:14:01 +0100165 * @return output of salt command
166 */
Jakub Josef432e9d92018-02-06 18:28:37 +0100167def enforceState(saltId, target, state, output = true, failOnError = true, batch = null, optional = false, read_timeout=-1, retries=-1, queue=true, saltArgs = []) {
Tomáš Kukrál6c04bd02017-03-01 22:18:52 +0100168 def common = new com.mirantis.mk.Common()
Jakub Josef432e9d92018-02-06 18:28:37 +0100169 // add state to salt args
Jakub Josef79ecec32017-02-17 14:36:28 +0100170 if (state instanceof String) {
Jakub Josef432e9d92018-02-06 18:28:37 +0100171 saltArgs << state
Jakub Josef79ecec32017-02-17 14:36:28 +0100172 } else {
Jakub Josef432e9d92018-02-06 18:28:37 +0100173 saltArgs << state.join(',')
Jakub Josef79ecec32017-02-17 14:36:28 +0100174 }
175
Jakub Josef84f01682018-02-07 14:26:19 +0100176 common.infoMsg("Running state ${state} on ${target}")
Vasyl Saienkoe36ab7c2017-07-17 14:35:48 +0300177 def out
Petr Michalecde0ff322017-10-04 09:32:14 +0200178 def kwargs = [:]
179
180 if (queue && batch == null) {
181 kwargs["queue"] = true
182 }
Vasyl Saienkoe36ab7c2017-07-17 14:35:48 +0300183
chnydaa0dbb252017-10-05 10:46:09 +0200184 if (optional == false || testTarget(saltId, target)){
Richard Felkl03203d62017-11-01 17:57:32 +0100185 if (retries > 0){
Vasyl Saienkoe36ab7c2017-07-17 14:35:48 +0300186 retry(retries){
Jakub Josef432e9d92018-02-06 18:28:37 +0100187 // we have to reverse order in saltArgs because salt state have to be first
188 out = runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'state.sls', batch, saltArgs.reverse(), kwargs, -1, read_timeout)
189 // failOnError should be passed as true because we need to throw exception for retry block handler
190 checkResult(out, true, output, true, true) //disable ask on error because we are using retry here
Vasyl Saienkoe36ab7c2017-07-17 14:35:48 +0300191 }
Petr Michalecde0ff322017-10-04 09:32:14 +0200192 } else {
Jakub Josef432e9d92018-02-06 18:28:37 +0100193 // we have to reverse order in saltArgs because salt state have to be first
194 out = runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'state.sls', batch, saltArgs.reverse(), kwargs, -1, read_timeout)
Richard Felkl03203d62017-11-01 17:57:32 +0100195 checkResult(out, failOnError, output)
Vasyl Saienkoe36ab7c2017-07-17 14:35:48 +0300196 }
Oleg Iurchenko7eb21502017-11-28 18:53:43 +0200197 waitForMinion(out)
Martin Polreich1c77afa2017-07-18 11:27:02 +0200198 return out
Martin Polreich1c77afa2017-07-18 11:27:02 +0200199 } else {
200 common.infoMsg("No Minions matched the target given, but 'optional' param was set to true - Pipeline continues. ")
201 }
Jakub Josef79ecec32017-02-17 14:36:28 +0100202}
203
Jakub Josef5ade54c2017-03-10 16:14:01 +0100204/**
205 * Run command on salt minion (salt cmd.run wrapper)
chnydaa0dbb252017-10-05 10:46:09 +0200206 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Jakub Josef5ade54c2017-03-10 16:14:01 +0100207 * @param target Get pillar target
208 * @param cmd command
Jakub Josef053df392017-05-03 15:51:05 +0200209 * @param checkResponse test command success execution (default true)
Jakub Josef2f25cf22017-03-28 13:34:57 +0200210 * @param batch salt batch parameter integer or string with percents (optional, default null - disable batch)
Jiri Broulik2c69f3d2017-07-18 14:23:58 +0200211 * @param output do you want to print output
chnyda205a92b2018-01-11 17:07:32 +0100212 * @param saltArgs additional salt args eq. ["runas=aptly"]
Jakub Josef5ade54c2017-03-10 16:14:01 +0100213 * @return output of salt command
214 */
chnyda205a92b2018-01-11 17:07:32 +0100215def cmdRun(saltId, target, cmd, checkResponse = true, batch=null, output = true, saltArgs = []) {
Tomáš Kukrál6c04bd02017-03-01 22:18:52 +0100216 def common = new com.mirantis.mk.Common()
Jakub Josef053df392017-05-03 15:51:05 +0200217 def originalCmd = cmd
Tomáš Kukráldfd4b492017-03-02 12:08:50 +0100218 common.infoMsg("Running command ${cmd} on ${target}")
Jakub Josef053df392017-05-03 15:51:05 +0200219 if (checkResponse) {
220 cmd = cmd + " && echo Salt command execution success"
221 }
chnyda205a92b2018-01-11 17:07:32 +0100222
Jakub Josef432e9d92018-02-06 18:28:37 +0100223 // add cmd name to salt args list
chnyda205a92b2018-01-11 17:07:32 +0100224 saltArgs << cmd
225
226 def out = runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'cmd.run', batch, saltArgs.reverse())
Jakub Josef053df392017-05-03 15:51:05 +0200227 if (checkResponse) {
228 // iterate over all affected nodes and check success return code
Jiri Broulik16e9ce72017-05-17 13:28:31 +0200229 if (out["return"]){
230 for(int i=0;i<out["return"].size();i++){
231 def node = out["return"][i];
Jakub Josef053df392017-05-03 15:51:05 +0200232 for(int j=0;j<node.size();j++){
233 def nodeKey = node.keySet()[j]
234 if (!node[nodeKey].contains("Salt command execution success")) {
235 throw new Exception("Execution of cmd ${originalCmd} failed. Server returns: ${node[nodeKey]}")
236 }
237 }
238 }
239 }else{
240 throw new Exception("Salt Api response doesn't have return param!")
241 }
242 }
Jiri Broulik16e9ce72017-05-17 13:28:31 +0200243 if (output == true) {
244 printSaltCommandResult(out)
245 }
246 return out
Jakub Josef79ecec32017-02-17 14:36:28 +0100247}
248
Jiri Broulik2c69f3d2017-07-18 14:23:58 +0200249/**
Jiri Broulik71512bc2017-08-04 10:00:18 +0200250 * Checks if salt minion is in a list of salt master's accepted keys
chnydaa0dbb252017-10-05 10:46:09 +0200251 * @usage minionPresent(saltId, 'I@salt:master', 'ntw', true, null, true, 200, 3)
252 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Jiri Broulik2c69f3d2017-07-18 14:23:58 +0200253 * @param target Get pillar target
254 * @param minion_name unique identification of a minion in salt-key command output
255 * @param waitUntilPresent return after the minion becomes present (default true)
256 * @param batch salt batch parameter integer or string with percents (optional, default null - disable batch)
257 * @param output print salt command (default true)
Jiri Broulik71512bc2017-08-04 10:00:18 +0200258 * @param maxRetries finite number of iterations to check status of a command (default 200)
259 * @param answers how many minions should return (optional, default 1)
Jiri Broulik2c69f3d2017-07-18 14:23:58 +0200260 * @return output of salt command
261 */
chnydaa0dbb252017-10-05 10:46:09 +0200262def minionPresent(saltId, target, minion_name, waitUntilPresent = true, batch=null, output = true, maxRetries = 200, answers = 1) {
Jiri Broulik71512bc2017-08-04 10:00:18 +0200263 minion_name = minion_name.replace("*", "")
264 def common = new com.mirantis.mk.Common()
265 def cmd = 'salt-key | grep ' + minion_name
266 if (waitUntilPresent){
267 def count = 0
268 while(count < maxRetries) {
chnydaa0dbb252017-10-05 10:46:09 +0200269 def out = runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'cmd.shell', batch, [cmd], null, 5)
Jiri Broulik71512bc2017-08-04 10:00:18 +0200270 if (output) {
271 printSaltCommandResult(out)
272 }
273 def valueMap = out["return"][0]
274 def result = valueMap.get(valueMap.keySet()[0])
275 def resultsArray = result.tokenize("\n")
276 def size = resultsArray.size()
277 if (size >= answers) {
chnydaa0dbb252017-10-05 10:46:09 +0200278 return out
Jiri Broulik71512bc2017-08-04 10:00:18 +0200279 }
280 count++
281 sleep(time: 500, unit: 'MILLISECONDS')
282 common.infoMsg("Waiting for ${cmd} on ${target} to be in correct state")
283 }
284 } else {
chnydaa0dbb252017-10-05 10:46:09 +0200285 def out = runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'cmd.shell', batch, [cmd], null, 5)
Jiri Broulik71512bc2017-08-04 10:00:18 +0200286 if (output) {
287 printSaltCommandResult(out)
288 }
289 return out
290 }
291 // otherwise throw exception
292 common.errorMsg("Status of command ${cmd} on ${target} failed, please check it.")
293 throw new Exception("${cmd} signals failure of status check!")
294}
295
296/**
Jiri Broulikf8f96942018-02-15 10:03:42 +0100297 * Checks if salt minion is in a list of salt master's accepted keys
298 * @usage minionPresent(saltId, 'I@salt:master', 'I@salt:minion', true, null, true, 200, 3)
299 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
300 * @param target Performs tests on this target node
301 * @param target_minions all targeted minions to test (for ex. I@salt:minion)
302 * @param waitUntilPresent return after the minion becomes present (default true)
303 * @param batch salt batch parameter integer or string with percents (optional, default null - disable batch)
304 * @param output print salt command (default true)
305 * @param maxRetries finite number of iterations to check status of a command (default 200)
306 * @param answers how many minions should return (optional, default 1)
307 * @return output of salt command
308 */
309def minionsPresent(saltId, target = 'I@salt:master', target_minions = '', waitUntilPresent = true, batch=null, output = true, maxRetries = 200, answers = 1) {
310 def target_hosts = getMinionsSorted(pepperEnv, target_minions)
311 for (t in target_hosts) {
312 def tgt = salt.stripDomainName(t)
313 salt.minionPresent(pepperEnv, target, tgt, waitUntilPresent, batch, output, maxRetries, answers)
314 }
315}
316
317/**
Jiri Broulik71512bc2017-08-04 10:00:18 +0200318 * You can call this function when salt-master already contains salt keys of the target_nodes
chnydaa0dbb252017-10-05 10:46:09 +0200319 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Jiri Broulik71512bc2017-08-04 10:00:18 +0200320 * @param target Should always be salt-master
321 * @param target_nodes unique identification of a minion or group of salt minions
322 * @param batch salt batch parameter integer or string with percents (optional, default null - disable batch)
323 * @param wait timeout for the salt command if minions do not return (default 10)
324 * @param maxRetries finite number of iterations to check status of a command (default 200)
325 * @return output of salt command
326 */
chnydaa0dbb252017-10-05 10:46:09 +0200327def minionsReachable(saltId, target, target_nodes, batch=null, wait = 10, maxRetries = 200) {
Jiri Broulik71512bc2017-08-04 10:00:18 +0200328 def common = new com.mirantis.mk.Common()
329 def cmd = "salt -t${wait} -C '${target_nodes}' test.ping"
330 common.infoMsg("Checking if all ${target_nodes} minions are reachable")
331 def count = 0
332 while(count < maxRetries) {
333 Calendar timeout = Calendar.getInstance();
334 timeout.add(Calendar.SECOND, wait);
chnydaa0dbb252017-10-05 10:46:09 +0200335 def out = runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'cmd.shell', batch, [cmd], null, wait)
Jiri Broulik71512bc2017-08-04 10:00:18 +0200336 Calendar current = Calendar.getInstance();
337 if (current.getTime().before(timeout.getTime())) {
338 printSaltCommandResult(out)
339 return out
340 }
341 common.infoMsg("Not all of the targeted '${target_nodes}' minions returned yet. Waiting ...")
342 count++
343 sleep(time: 500, unit: 'MILLISECONDS')
344 }
Jiri Broulik2c69f3d2017-07-18 14:23:58 +0200345}
346
347/**
348 * Run command on salt minion (salt cmd.run wrapper)
chnydaa0dbb252017-10-05 10:46:09 +0200349 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Jiri Broulik2c69f3d2017-07-18 14:23:58 +0200350 * @param target Get pillar target
351 * @param cmd name of a service
352 * @param correct_state string that command must contain if status is in correct state (optional, default 'running')
Jiri Broulikcf1f2332017-07-25 11:30:03 +0200353 * @param find bool value if it is suppose to find some string in the output or the cmd should return empty string (optional, default true)
Jiri Broulik2c69f3d2017-07-18 14:23:58 +0200354 * @param waitUntilOk return after the minion becomes present (optional, default true)
355 * @param batch salt batch parameter integer or string with percents (optional, default null - disable batch)
356 * @param output print salt command (default true)
Jiri Broulik71512bc2017-08-04 10:00:18 +0200357 * @param maxRetries finite number of iterations to check status of a command (default 200)
358 * @param answers how many minions should return (optional, default 0)
Jiri Broulik2c69f3d2017-07-18 14:23:58 +0200359 * @return output of salt command
360 */
chnydaa0dbb252017-10-05 10:46:09 +0200361def commandStatus(saltId, target, cmd, correct_state='running', find = true, waitUntilOk = true, batch=null, output = true, maxRetries = 200, answers = 0) {
Jiri Broulik2c69f3d2017-07-18 14:23:58 +0200362 def common = new com.mirantis.mk.Common()
363 common.infoMsg("Checking if status of verification command ${cmd} on ${target} is in correct state")
364 if (waitUntilOk){
365 def count = 0
366 while(count < maxRetries) {
chnydaa0dbb252017-10-05 10:46:09 +0200367 def out = runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'cmd.shell', batch, [cmd], null, 5)
Jiri Broulik71512bc2017-08-04 10:00:18 +0200368 if (output) {
369 printSaltCommandResult(out)
370 }
Jakub Josef115a78f2017-07-18 15:04:00 +0200371 def resultMap = out["return"][0]
Jiri Broulik71512bc2017-08-04 10:00:18 +0200372 def success = 0
373 if (answers == 0){
374 answers = resultMap.size()
375 }
376 for (int i=0;i<answers;i++) {
377 result = resultMap.get(resultMap.keySet()[i])
378 // if the goal is to find some string in output of the command
379 if (find) {
380 if(result == null || result instanceof Boolean || result.isEmpty()) { result='' }
381 if (result.toLowerCase().contains(correct_state.toLowerCase())) {
382 success++
383 if (success == answers) {
384 return out
385 }
Jiri Broulikd0c27572017-07-24 20:01:10 +0200386 }
Jiri Broulik71512bc2017-08-04 10:00:18 +0200387 // else the goal is to not find any string in output of the command
388 } else {
389 if(result instanceof String && result.isEmpty()) {
390 success++
391 if (success == answers) {
392 return out
chnydaa0dbb252017-10-05 10:46:09 +0200393 }
Jiri Broulik71512bc2017-08-04 10:00:18 +0200394 }
395 }
396 }
397 count++
398 sleep(time: 500, unit: 'MILLISECONDS')
399 common.infoMsg("Waiting for ${cmd} on ${target} to be in correct state")
400 }
401 } else {
chnydaa0dbb252017-10-05 10:46:09 +0200402 def out = runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'cmd.shell', batch, [cmd], null, 5)
Jiri Broulik71512bc2017-08-04 10:00:18 +0200403 def resultMap = out["return"][0]
404 if (output) {
405 printSaltCommandResult(out)
406 }
407 for (int i=0;i<resultMap.size();i++) {
408 result = resultMap.get(resultMap.keySet()[i])
409 // if the goal is to find some string in output of the command
410 if (find) {
411 if(result == null || result instanceof Boolean || result.isEmpty()) { result='' }
412 if (result.toLowerCase().contains(correct_state.toLowerCase())) {
Jiri Broulikd0c27572017-07-24 20:01:10 +0200413 return out
414 }
415
416 // else the goal is to not find any string in output of the command
417 } else {
418 if(result instanceof String && result.isEmpty()) {
419 return out
420 }
421 }
Jiri Broulik2c69f3d2017-07-18 14:23:58 +0200422 }
423 }
424 // otherwise throw exception
Jiri Broulikd0c27572017-07-24 20:01:10 +0200425 common.errorMsg("Status of command ${cmd} on ${target} failed, please check it.")
Jiri Broulik2c69f3d2017-07-18 14:23:58 +0200426 throw new Exception("${cmd} signals failure of status check!")
427}
428
Jakub Josef5ade54c2017-03-10 16:14:01 +0100429/**
430 * Perform complete salt sync between master and target
chnydaa0dbb252017-10-05 10:46:09 +0200431 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Jakub Josef5ade54c2017-03-10 16:14:01 +0100432 * @param target Get pillar target
433 * @return output of salt command
434 */
chnydaa0dbb252017-10-05 10:46:09 +0200435def syncAll(saltId, target) {
436 return runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'saltutil.sync_all')
Jakub Josef79ecec32017-02-17 14:36:28 +0100437}
438
Jakub Josef5ade54c2017-03-10 16:14:01 +0100439/**
Jakub Josef432e9d92018-02-06 18:28:37 +0100440 * Perform complete salt refresh between master and target
441 * Method will call saltutil.refresh_pillar, saltutil.refresh_grains and saltutil.sync_all
442 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
443 * @param target Get pillar target
444 * @return output of salt command
445 */
446def fullRefresh(saltId, target){
447 runSaltProcessStep(saltId, target, 'saltutil.refresh_pillar', [], null, true)
448 runSaltProcessStep(saltId, target, 'saltutil.refresh_grains', [], null, true)
449 runSaltProcessStep(saltId, target, 'saltutil.sync_all', [], null, true)
450}
451
452/**
453 * Enforce highstate on given targets
454 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
455 * @param target Highstate enforcing target
456 * @param excludedStates states which will be excluded from main state (default empty string)
457 * @param output print output (optional, default true)
458 * @param failOnError throw exception on salt state result:false (optional, default true)
459 * @param batch salt batch parameter integer or string with percents (optional, default null - disable batch)
460 * @param saltArgs additional salt args eq. ["runas=aptly", exclude="opencontrail.database"]
461 * @return output of salt command
462 */
463def enforceHighstateWithExclude(saltId, target, excludedStates = "", output = false, failOnError = true, batch = null, saltArgs = []) {
464 saltArgs << "exclude=${excludedStates}"
465 return enforceHighstate(saltId, target, output, failOnError, batch, saltArgs)
466}
467/**
Jakub Josef5ade54c2017-03-10 16:14:01 +0100468 * Enforce highstate on given targets
chnydaa0dbb252017-10-05 10:46:09 +0200469 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Jakub Josef5ade54c2017-03-10 16:14:01 +0100470 * @param target Highstate enforcing target
471 * @param output print output (optional, default true)
472 * @param failOnError throw exception on salt state result:false (optional, default true)
Jakub Josef2f25cf22017-03-28 13:34:57 +0200473 * @param batch salt batch parameter integer or string with percents (optional, default null - disable batch)
Jakub Josef5ade54c2017-03-10 16:14:01 +0100474 * @return output of salt command
475 */
Jakub Josef432e9d92018-02-06 18:28:37 +0100476def enforceHighstate(saltId, target, output = false, failOnError = true, batch = null, saltArgs = []) {
chnydaa0dbb252017-10-05 10:46:09 +0200477 def out = runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'state.highstate', batch)
Alexander Noskov657ccfc2017-07-14 11:35:52 +0000478 def common = new com.mirantis.mk.Common()
479
Marek Celoud63366112017-07-25 17:27:24 +0200480 common.infoMsg("Running state highstate on ${target}")
Alexander Noskov657ccfc2017-07-14 11:35:52 +0000481
Jakub Josef374beb72017-04-27 15:45:09 +0200482 checkResult(out, failOnError, output)
Jakub Josef79ecec32017-02-17 14:36:28 +0100483 return out
484}
485
Jakub Josef5ade54c2017-03-10 16:14:01 +0100486/**
Ales Komarek5276ebe2017-03-16 08:46:34 +0100487 * Get running minions IDs according to the target
chnydaa0dbb252017-10-05 10:46:09 +0200488 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Ales Komarek5276ebe2017-03-16 08:46:34 +0100489 * @param target Get minions target
490 * @return list of active minions fitin
491 */
chnydaa0dbb252017-10-05 10:46:09 +0200492def getMinions(saltId, target) {
493 def minionsRaw = runSaltCommand(saltId, 'local', ['expression': target, 'type': 'compound'], 'test.ping')
Ales Komarek5276ebe2017-03-16 08:46:34 +0100494 return new ArrayList<String>(minionsRaw['return'][0].keySet())
495}
496
Jiri Broulikf8f96942018-02-15 10:03:42 +0100497/**
498 * Get sorted running minions IDs according to the target
499 * @param saltId Salt Connection object or pepperEnv
500 * @param target Get minions target
501 * @return list of sorted active minions fitin
502 */
503def getMinionsSorted(saltId, target) {
504 return getMinions(saltId, target).sort()
505}
506
507/**
508 * Get first out of running minions IDs according to the target
509 * @param saltId Salt Connection object or pepperEnv
510 * @param target Get minions target
511 * @return first of active minions fitin
512 */
513def getFirstMinion(saltId, target) {
514 def minionsSorted = getMinionsSorted(saltId, target)
515 return minionsSorted[0].split("\\.")[0]
516}
517
518/**
519 * Get running salt minions IDs without it's domain name part and its numbering identifications
520 * @param saltId Salt Connection object or pepperEnv
521 * @param target Get minions target
522 * @return list of active minions fitin without it's domain name part name numbering
523 */
524def getMinionsGeneralName(saltId, target) {
525 def minionsSorted = getMinionsSorted(saltId, target)
526 return stripDomainName(minionsSorted[0]).replaceAll('\\d+$', "")
527}
528
529/**
530 * Get domain name of the env
531 * @param saltId Salt Connection object or pepperEnv
532 * @return domain name
533 */
534def getDomainName(saltId) {
535 return getReturnValues(getPillar(saltId, 'I@salt:master', '_param:cluster_domain'))
536}
537
538/**
539 * Remove domain name from Salt minion ID
540 * @param name String of Salt minion ID
541 * @return Salt minion ID without its domain name
542 */
543def stripDomainName(name) {
544 return name.split("\\.")[0]
545}
546
547/**
548 * Gets return values of a salt command
549 * @param output String of Salt minion ID
550 * @return Return values of a salt command
551 */
552def getReturnValues(output) {
553 if(output.containsKey("return") && !output.get("return").isEmpty()) {
554 return output['return'][0].values()[0]
555 }
556 def common = new com.mirantis.mk.Common()
557 common.errorMsg('output does not contain return key')
558 return ''
559}
560
561/**
562 * Get minion ID of one of KVM nodes
563 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
564 * @return Salt minion ID of one of KVM nodes in env
565 */
566def getKvmMinionId(saltId) {
567 return getReturnValues(getGrain(saltId, 'I@salt:control', 'id')).values()[0]
568}
569
570/**
571 * Get Salt minion ID of KVM node hosting 'name' VM
572 * @param saltId Salt Connection object or pepperEnv
573 * @param name Name of the VM (for ex. ctl01)
574 * @return Salt minion ID of KVM node hosting 'name' VM
575 */
576def getNodeProvider(saltId, name) {
577 def kvm = getKvmMinionId(saltId)
578 return getReturnValues(getPillar(saltId, "${kvm}", "salt:control:cluster:internal:node:${name}:provider"))
579}
580
Ales Komarek5276ebe2017-03-16 08:46:34 +0100581
582/**
Tomáš Kukrálb12ff9f2017-07-12 12:32:34 +0200583 * Test if there are any minions to target
chnydaa0dbb252017-10-05 10:46:09 +0200584 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Tomáš Kukrálb12ff9f2017-07-12 12:32:34 +0200585 * @param target Target to test
vrovachev1c4770b2017-07-05 13:25:21 +0400586 * @return bool indicating if target was succesful
Tomáš Kukrálb12ff9f2017-07-12 12:32:34 +0200587 */
588
chnydaa0dbb252017-10-05 10:46:09 +0200589def testTarget(saltId, target) {
590 return getMinions(saltId, target).size() > 0
Tomáš Kukrálb12ff9f2017-07-12 12:32:34 +0200591}
592
593/**
Jakub Josef5ade54c2017-03-10 16:14:01 +0100594 * Generates node key using key.gen_accept call
chnydaa0dbb252017-10-05 10:46:09 +0200595 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Jakub Josef5ade54c2017-03-10 16:14:01 +0100596 * @param target Key generating target
597 * @param host Key generating host
598 * @param keysize generated key size (optional, default 4096)
599 * @return output of salt command
600 */
chnydaa0dbb252017-10-05 10:46:09 +0200601def generateNodeKey(saltId, target, host, keysize = 4096) {
602 return runSaltCommand(saltId, 'wheel', target, 'key.gen_accept', [host], ['keysize': keysize])
Jakub Josef79ecec32017-02-17 14:36:28 +0100603}
604
Jakub Josef5ade54c2017-03-10 16:14:01 +0100605/**
Jakub Josef2f25cf22017-03-28 13:34:57 +0200606 * Generates node reclass metadata
chnydaa0dbb252017-10-05 10:46:09 +0200607 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Jakub Josef5ade54c2017-03-10 16:14:01 +0100608 * @param target Metadata generating target
609 * @param host Metadata generating host
610 * @param classes Reclass classes
611 * @param parameters Reclass parameters
612 * @return output of salt command
613 */
chnydaa0dbb252017-10-05 10:46:09 +0200614def generateNodeMetadata(saltId, target, host, classes, parameters) {
615 return runSaltCommand(saltId, 'local', target, 'reclass.node_create', [host, '_generated'], ['classes': classes, 'parameters': parameters])
Jakub Josef79ecec32017-02-17 14:36:28 +0100616}
617
Jakub Josef5ade54c2017-03-10 16:14:01 +0100618/**
619 * Run salt orchestrate on given targets
chnydaa0dbb252017-10-05 10:46:09 +0200620 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Jakub Josef5ade54c2017-03-10 16:14:01 +0100621 * @param target Orchestration target
622 * @param orchestrate Salt orchestrate params
623 * @return output of salt command
624 */
chnydaa0dbb252017-10-05 10:46:09 +0200625def orchestrateSystem(saltId, target, orchestrate) {
626 return runSaltCommand(saltId, 'runner', target, 'state.orchestrate', [orchestrate])
Jakub Josef79ecec32017-02-17 14:36:28 +0100627}
628
Jakub Josef5ade54c2017-03-10 16:14:01 +0100629/**
630 * Run salt process step
chnydaa0dbb252017-10-05 10:46:09 +0200631 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Jakub Josef5ade54c2017-03-10 16:14:01 +0100632 * @param tgt Salt process step target
633 * @param fun Salt process step function
634 * @param arg process step arguments (optional, default [])
Jakub Josef2f25cf22017-03-28 13:34:57 +0200635 * @param batch salt batch parameter integer or string with percents (optional, default null - disable batch)
Jakub Josef432e9d92018-02-06 18:28:37 +0100636 * @param output print output (optional, default true)
Jiri Broulik48544be2017-06-14 18:33:54 +0200637 * @param timeout Additional argument salt api timeout
Jakub Josef5ade54c2017-03-10 16:14:01 +0100638 * @return output of salt command
639 */
Jakub Josef432e9d92018-02-06 18:28:37 +0100640def runSaltProcessStep(saltId, tgt, fun, arg = [], batch = null, output = true, timeout = -1, kwargs = null) {
Tomáš Kukrál6c04bd02017-03-01 22:18:52 +0100641 def common = new com.mirantis.mk.Common()
Jiri Broulik48544be2017-06-14 18:33:54 +0200642 def salt = new com.mirantis.mk.Salt()
Tomáš Kukráladb4ecd2017-03-02 10:06:36 +0100643 def out
644
Marek Celoud63366112017-07-25 17:27:24 +0200645 common.infoMsg("Running step ${fun} ${arg} on ${tgt}")
Tomáš Kukrál6c04bd02017-03-01 22:18:52 +0100646
Filip Pytlounf0435c02017-03-02 17:48:54 +0100647 if (batch == true) {
chnydaa0dbb252017-10-05 10:46:09 +0200648 out = runSaltCommand(saltId, 'local_batch', ['expression': tgt, 'type': 'compound'], fun, String.valueOf(batch), arg, kwargs, timeout)
Tomáš Kukráladb4ecd2017-03-02 10:06:36 +0100649 } else {
chnydaa0dbb252017-10-05 10:46:09 +0200650 out = runSaltCommand(saltId, 'local', ['expression': tgt, 'type': 'compound'], fun, batch, arg, kwargs, timeout)
Jakub Josef79ecec32017-02-17 14:36:28 +0100651 }
Tomáš Kukráladb4ecd2017-03-02 10:06:36 +0100652
Tomáš Kukrálf5dda642017-03-02 14:22:59 +0100653 if (output == true) {
Jiri Broulik48544be2017-06-14 18:33:54 +0200654 salt.printSaltCommandResult(out)
Jakub Josef79ecec32017-02-17 14:36:28 +0100655 }
Jiri Broulikae19c262017-05-16 19:06:52 +0200656 return out
Jakub Josef79ecec32017-02-17 14:36:28 +0100657}
658
659/**
660 * Check result for errors and throw exception if any found
661 *
662 * @param result Parsed response of Salt API
Jakub Josef8021c002017-03-27 15:41:28 +0200663 * @param failOnError Do you want to throw exception if salt-call fails (optional, default true)
Jakub Josefa87941c2017-04-20 17:14:58 +0200664 * @param printResults Do you want to print salt results (optional, default true)
Jakub Josefa87941c2017-04-20 17:14:58 +0200665 * @param printOnlyChanges If true (default), print only changed resources
Jakub Josef432e9d92018-02-06 18:28:37 +0100666 * @param disableAskOnError Flag for disabling ASK_ON_ERROR feature (optional, default false)
Jakub Josef79ecec32017-02-17 14:36:28 +0100667 */
Jakub Josef432e9d92018-02-06 18:28:37 +0100668def checkResult(result, failOnError = true, printResults = true, printOnlyChanges = true, disableAskOnError = false) {
Jakub Josef5ade54c2017-03-10 16:14:01 +0100669 def common = new com.mirantis.mk.Common()
Jakub Josefd9afd0e2017-03-15 19:19:23 +0100670 if(result != null){
671 if(result['return']){
672 for (int i=0;i<result['return'].size();i++) {
673 def entry = result['return'][i]
674 if (!entry) {
675 if (failOnError) {
676 throw new Exception("Salt API returned empty response: ${result}")
677 } else {
678 common.errorMsg("Salt API returned empty response: ${result}")
Jakub Josefece32af2017-03-14 19:20:08 +0100679 }
Jakub Josefd9afd0e2017-03-15 19:19:23 +0100680 }
681 for (int j=0;j<entry.size();j++) {
682 def nodeKey = entry.keySet()[j]
683 def node=entry[nodeKey]
Jakub Josefa87941c2017-04-20 17:14:58 +0200684 def outputResources = []
Jakub Josef47145942018-04-04 17:30:38 +0200685 def errorResources = []
Jakub Josefd9afd0e2017-03-15 19:19:23 +0100686 common.infoMsg("Node ${nodeKey} changes:")
687 if(node instanceof Map || node instanceof List){
688 for (int k=0;k<node.size();k++) {
689 def resource;
690 def resKey;
691 if(node instanceof Map){
692 resKey = node.keySet()[k]
693 }else if(node instanceof List){
694 resKey = k
695 }
696 resource = node[resKey]
Jakub Josefc4c40202017-04-28 12:04:24 +0200697 // print
Jakub Josefa87941c2017-04-20 17:14:58 +0200698 if(printResults){
699 if(resource instanceof Map && resource.keySet().contains("result")){
700 //clean unnesaccary fields
701 if(resource.keySet().contains("__run_num__")){
702 resource.remove("__run_num__")
703 }
704 if(resource.keySet().contains("__id__")){
705 resource.remove("__id__")
706 }
707 if(resource.keySet().contains("pchanges")){
708 resource.remove("pchanges")
709 }
710 if(!resource["result"] || (resource["result"] instanceof String && resource["result"] != "true")){
711 if(resource["result"] != null){
Jakub Josefbceaa322017-06-13 18:28:27 +0200712 outputResources.add(String.format("Resource: %s\n\u001B[31m%s\u001B[0m", resKey, common.prettify(resource)))
Jakub Josefa87941c2017-04-20 17:14:58 +0200713 }else{
Jakub Josefbceaa322017-06-13 18:28:27 +0200714 outputResources.add(String.format("Resource: %s\n\u001B[33m%s\u001B[0m", resKey, common.prettify(resource)))
Jakub Josefa87941c2017-04-20 17:14:58 +0200715 }
716 }else{
717 if(!printOnlyChanges || resource.changes.size() > 0){
Jakub Josefbceaa322017-06-13 18:28:27 +0200718 outputResources.add(String.format("Resource: %s\n\u001B[32m%s\u001B[0m", resKey, common.prettify(resource)))
Jakub Josefa87941c2017-04-20 17:14:58 +0200719 }
720 }
721 }else{
Jakub Josefbceaa322017-06-13 18:28:27 +0200722 outputResources.add(String.format("Resource: %s\n\u001B[36m%s\u001B[0m", resKey, common.prettify(resource)))
Jakub Josefa87941c2017-04-20 17:14:58 +0200723 }
Jakub Josefd9afd0e2017-03-15 19:19:23 +0100724 }
Jakub Josefc4c40202017-04-28 12:04:24 +0200725 common.debugMsg("checkResult: checking resource: ${resource}")
726 if(resource instanceof String || (resource["result"] != null && !resource["result"]) || (resource["result"] instanceof String && resource["result"] == "false")){
Jakub Josef47145942018-04-04 17:30:38 +0200727 errorResources.add(resource)
Jakub Josefc4c40202017-04-28 12:04:24 +0200728 }
Jakub Josefd9afd0e2017-03-15 19:19:23 +0100729 }
Jakub Josefa87941c2017-04-20 17:14:58 +0200730 }else if(node!=null && node!=""){
Jakub Josef62f6c842017-08-04 16:36:35 +0200731 outputResources.add(String.format("Resource: %s\n\u001B[36m%s\u001B[0m", nodeKey, common.prettify(node)))
Jakub Josefa87941c2017-04-20 17:14:58 +0200732 }
733 if(printResults && !outputResources.isEmpty()){
Jakub Josef47145942018-04-04 17:30:38 +0200734 println outputResources.stream().collect(Collectors.joining("\n"))
735 }
736 if(!errorResources.isEmpty()){
737 for(resource in errorResources){
738 def prettyResource = common.prettify(resource)
739 if (!disableAskOnError && env["ASK_ON_ERROR"] && env["ASK_ON_ERROR"] == "true") {
740 timeout(time:1, unit:'HOURS') {
741 input message: "False result on ${nodeKey} found, resource ${prettyResource}. \nDo you want to continue?"
742 }
743 } else {
744 def errorMsg = "Salt state on node ${nodeKey} failed. Resource: ${prettyResource}"
745 if (failOnError) {
746 throw new Exception(errorMsg)
747 } else {
748 common.errorMsg(errorMsg)
749 }
750 }
751 }
Jakub Josefd9afd0e2017-03-15 19:19:23 +0100752 }
753 }
Jakub Josef52f69f72017-03-14 15:18:08 +0100754 }
Jakub Josefd9afd0e2017-03-15 19:19:23 +0100755 }else{
756 common.errorMsg("Salt result hasn't return attribute! Result: ${result}")
Jakub Josef79ecec32017-02-17 14:36:28 +0100757 }
Jakub Josef52f69f72017-03-14 15:18:08 +0100758 }else{
Jakub Josefa87941c2017-04-20 17:14:58 +0200759 common.errorMsg("Cannot check salt result, given result is null")
Jakub Josef79ecec32017-02-17 14:36:28 +0100760 }
761}
762
763/**
Oleg Iurchenko7eb21502017-11-28 18:53:43 +0200764* Parse salt API output to check minion restart and wait some time to be sure minion is up.
765* See https://mirantis.jira.com/browse/PROD-16258 for more details
766* TODO: change sleep to more tricky procedure.
767*
768* @param result Parsed response of Salt API
769*/
770def waitForMinion(result) {
771 def common = new com.mirantis.mk.Common()
Oleg Iurchenko3eedc782017-12-12 11:49:29 +0200772 //In order to prevent multiple sleeps use bool variable to catch restart for any minion.
Oleg Iurchenko7eb21502017-11-28 18:53:43 +0200773 def isMinionRestarted = false
Oleg Iurchenko3eedc782017-12-12 11:49:29 +0200774 if(result != null){
775 if(result['return']){
776 for (int i=0;i<result['return'].size();i++) {
777 def entry = result['return'][i]
778 // exit in case of empty response.
779 if (!entry) {
780 return
781 }
782 // Loop for nodes
783 for (int j=0;j<entry.size();j++) {
784 def nodeKey = entry.keySet()[j]
785 def node=entry[nodeKey]
786 if(node instanceof Map || node instanceof List){
787 // Loop for node resources
788 for (int k=0;k<node.size();k++) {
789 def resource;
790 def resKey;
791 if(node instanceof Map){
792 resKey = node.keySet()[k]
793 }else if(node instanceof List){
794 resKey = k
795 }
796 resource = node[resKey]
797 if(resKey.contains("salt_minion_service_restart") && resource instanceof Map && resource.keySet().contains("result")){
798 if((resource["result"] instanceof Boolean && resource["result"]) || (resource["result"] instanceof String && resource["result"] == "true")){
799 if(resource.changes.size() > 0){
800 isMinionRestarted=true
801 }
802 }
803 }
804 }
805 }
806 }
807 }
Oleg Iurchenko7eb21502017-11-28 18:53:43 +0200808 }
809 }
Oleg Iurchenko7eb21502017-11-28 18:53:43 +0200810 if (isMinionRestarted){
811 common.infoMsg("Salt minion service restart detected. Sleep 10 seconds to wait minion restart")
812 sleep(10)
813 }
814}
815
816/**
Jakub Josef7852fe12017-03-15 16:02:41 +0100817 * Print salt command run results in human-friendly form
Jakub Josef79ecec32017-02-17 14:36:28 +0100818 *
819 * @param result Parsed response of Salt API
Jakub Josef79ecec32017-02-17 14:36:28 +0100820 */
Filip Pytlound2f1bbe2017-02-27 19:03:51 +0100821def printSaltCommandResult(result) {
Jakub Josef871bf152017-03-14 20:13:41 +0100822 def common = new com.mirantis.mk.Common()
Jakub Josefd9afd0e2017-03-15 19:19:23 +0100823 if(result != null){
824 if(result['return']){
825 for (int i=0; i<result['return'].size(); i++) {
826 def entry = result['return'][i]
827 for (int j=0; j<entry.size(); j++) {
828 common.debugMsg("printSaltCommandResult: printing salt command entry: ${entry}")
829 def nodeKey = entry.keySet()[j]
830 def node=entry[nodeKey]
Jakub Josefbceaa322017-06-13 18:28:27 +0200831 common.infoMsg(String.format("Node %s changes:\n%s",nodeKey, common.prettify(node)))
Jakub Josefd9afd0e2017-03-15 19:19:23 +0100832 }
Jakub Josef8a715bf2017-03-14 21:39:01 +0100833 }
Jakub Josefd9afd0e2017-03-15 19:19:23 +0100834 }else{
835 common.errorMsg("Salt result hasn't return attribute! Result: ${result}")
Jakub Josef79ecec32017-02-17 14:36:28 +0100836 }
Jakub Josef8a715bf2017-03-14 21:39:01 +0100837 }else{
Jakub Josefd9afd0e2017-03-15 19:19:23 +0100838 common.errorMsg("Cannot print salt command result, given result is null")
Jakub Josef52f69f72017-03-14 15:18:08 +0100839 }
Jakub Josef79ecec32017-02-17 14:36:28 +0100840}
Tomáš Kukrálb12eedd2017-04-21 10:45:13 +0200841
842
843/**
844 * Return content of file target
845 *
chnydaa0dbb252017-10-05 10:46:09 +0200846 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Tomáš Kukrálb12eedd2017-04-21 10:45:13 +0200847 * @param target Compound target (should target only one host)
848 * @param file File path to read (/etc/hosts for example)
849 */
850
chnydaa0dbb252017-10-05 10:46:09 +0200851def getFileContent(saltId, target, file) {
852 result = cmdRun(saltId, target, "cat ${file}")
Tomáš Kukrálf1a692a2017-08-11 13:29:28 +0200853 return result['return'][0].values()[0].replaceAll('Salt command execution success','')
Tomáš Kukrálb12eedd2017-04-21 10:45:13 +0200854}
Matthew Mosesohn9e880852017-07-04 21:17:53 +0300855
856/**
857 * Set override parameters in Salt cluster metadata
858 *
chnydaa0dbb252017-10-05 10:46:09 +0200859 * @param saltId Salt Connection object or pepperEnv (the command will be sent using the selected method)
Matthew Mosesohn9e880852017-07-04 21:17:53 +0300860 * @param salt_overrides YAML formatted string containing key: value, one per line
Matthew Mosesohne5646842017-07-19 16:54:57 +0300861 * @param reclass_dir Directory where Reclass git repo is located
Matthew Mosesohn9e880852017-07-04 21:17:53 +0300862 */
863
chnydaa0dbb252017-10-05 10:46:09 +0200864def setSaltOverrides(saltId, salt_overrides, reclass_dir="/srv/salt/reclass") {
Tomáš Kukrálf178f052017-07-11 11:31:00 +0200865 def common = new com.mirantis.mk.Common()
Mykyta Karpin1c165e22017-08-22 18:27:01 +0300866 def salt_overrides_map = readYaml text: salt_overrides
Tomáš Kukrál243cf842017-07-11 13:11:56 +0200867 for (entry in common.entries(salt_overrides_map)) {
Matthew Mosesohn9e880852017-07-04 21:17:53 +0300868 def key = entry[0]
869 def value = entry[1]
870
871 common.debugMsg("Set salt override ${key}=${value}")
Mykyta Karpind4a42d02017-11-16 16:24:37 +0200872 runSaltProcessStep(saltId, 'I@salt:master', 'reclass.cluster_meta_set', [key, value], false)
Matthew Mosesohn9e880852017-07-04 21:17:53 +0300873 }
chnydaa0dbb252017-10-05 10:46:09 +0200874 runSaltProcessStep(saltId, 'I@salt:master', 'cmd.run', ["git -C ${reclass_dir} update-index --skip-worktree classes/cluster/overrides.yml"])
Matthew Mosesohn9e880852017-07-04 21:17:53 +0300875}
Oleg Grigorovbec45582017-09-12 20:29:24 +0300876
877/**
878* Execute salt commands via salt-api with
879* CLI client salt-pepper
880*
881* @param data Salt command map
882* @param venv Path to virtualenv with
883*/
884
885def runPepperCommand(data, venv) {
Jakub Josef03d4d5a2017-12-20 16:35:09 +0100886 def common = new com.mirantis.mk.Common()
Oleg Grigorovbec45582017-09-12 20:29:24 +0300887 def python = new com.mirantis.mk.Python()
888 def dataStr = new groovy.json.JsonBuilder(data).toString()
chnyda4901a042017-11-16 12:14:56 +0100889
Jakub Josefa2491ad2018-01-15 16:26:27 +0100890 def pepperCmdFile = "${venv}/pepper-cmd.json"
891 writeFile file: pepperCmdFile, text: dataStr
892 def pepperCmd = "pepper -c ${venv}/pepperrc --make-token -x ${venv}/.peppercache --json-file ${pepperCmdFile}"
Oleg Grigorovbec45582017-09-12 20:29:24 +0300893
894 if (venv) {
Jakub Josefe2f4ebb2018-01-15 16:11:51 +0100895 output = python.runVirtualenvCommand(venv, pepperCmd, true)
Oleg Grigorovbec45582017-09-12 20:29:24 +0300896 } else {
897 echo("[Command]: ${pepperCmd}")
898 output = sh (
899 script: pepperCmd,
900 returnStdout: true
901 ).trim()
902 }
903
Jakub Josef37cd4972018-02-01 16:25:25 +0100904 def outputObj
905 try {
906 outputObj = new groovy.json.JsonSlurperClassic().parseText(output)
907 } catch(Exception e) {
908 common.errorMsg("Parsing Salt API JSON response failed! Response: " + output)
909 throw e
910 }
911 return outputObj
Oleg Grigorovbec45582017-09-12 20:29:24 +0300912}