Module: Morpheus::Cli::ProvisioningHelper

Overview

Provides common methods for provisioning instances

Class Method Summary collapse

Instance Method Summary collapse

Class Method Details

.included(klass) ⇒ Object



7
8
9
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 7

def self.included(klass)
  klass.send :include, Morpheus::Cli::PrintHelper
end

Instance Method Details

#accounts_interfaceObject



56
57
58
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 56

def accounts_interface
  @api_client.accounts
end

#add_perms_options(opts, options, excludes = []) ⇒ Object



1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 1964

def add_perms_options(opts, options, excludes = [])
  if !excludes.include?('groups')
    opts.on('--group-access-all [on|off]', String, "Toggle Access for all groups.") do |val|
      options[:groupAccessAll] = val.to_s == 'on' || val.to_s == 'true' || val.to_s == ''
    end
    opts.on('--group-access LIST', Array, "Group Access, comma separated list of group IDs.") do |list|
      if list.size == 1 && list[0] == 'null' # hacky way to clear it
        options[:groupAccessList] = []
      else
        options[:groupAccessList] = list.collect {|it| it.to_s.strip.empty? ? nil : it.to_s.strip }.compact.uniq
      end
    end
    if !excludes.include?('groupDefaults')
      opts.on('--group-defaults LIST', Array, "Group Default Selection, comma separated list of group IDs") do |list|
        if list.size == 1 && list[0] == 'null' # hacky way to clear it
          options[:groupDefaultsList] = []
        else
          options[:groupDefaultsList] = list.collect {|it| it.to_s.strip.empty? ? nil : it.to_s.strip }.compact.uniq
        end
      end
    end
  end

  if !excludes.include?('plans')
    opts.on('--plan-access-all [on|off]', String, "Toggle Access for all service plans.") do |val|
      options[:planAccessAll] = val.to_s == 'on' || val.to_s == 'true' || val.to_s == ''
    end
    opts.on('--plan-access LIST', Array, "Service Plan Access, comma separated list of plan IDs.") do |list|
      if list.size == 1 && list[0] == 'null' # hacky way to clear it
        options[:planAccessList] = []
      else
        options[:planAccessList] = list.collect {|it| it.to_s.strip.empty? ? nil : it.to_s.strip }.compact.uniq
      end
    end
    opts.on('--plan-defaults LIST', Array, "Plan Default Selection, comma separated list of plan IDs") do |list|
      if list.size == 1 && list[0] == 'null' # hacky way to clear it
        options[:planDefaultsList] = []
      else
        options[:planDefaultsList] = list.collect {|it| it.to_s.strip.empty? ? nil : it.to_s.strip }.compact.uniq
      end
    end
  end

  if !excludes.include?('visibility')
    opts.on('--visibility VISIBILITY', String, "Visibility [private|public]") do |val|
      options[:visibility] = val
    end
  end

  if !excludes.include?('tenants')
    opts.on('--tenants LIST', Array, "Tenant Access, comma separated list of account IDs") do |list|
      if list.size == 1 && list[0] == 'null' # hacky way to clear it
        options[:tenants] = []
      else
        options[:tenants] = list.collect {|it| it.to_s.strip.empty? ? nil : it.to_s.strip }.compact.uniq
      end
    end
  end
end

#api_clientObject



11
12
13
14
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 11

def api_client
  raise "#{self.class} has not defined @api_client" if @api_client.nil?
  @api_client
end

#apps_interfaceObject



20
21
22
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 20

def apps_interface
  @api_client.apps
end

#cloud_datastores_interfaceObject



48
49
50
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 48

def cloud_datastores_interface
  @api_client.cloud_datastores
end

#clouds_interfaceObject



44
45
46
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 44

def clouds_interface
  @api_client.clouds
end

#datastores_interfaceObject



52
53
54
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 52

def datastores_interface
  @api_client.datastores
end

#find_app_by_id(id) ⇒ Object

apps



279
280
281
282
283
284
285
286
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 279

def find_app_by_id(id)
  app_results = apps_interface.get(id.to_i)
  if app_results['app'].empty?
    print_red_alert "App not found by id #{id}"
    exit 1
  end
  return app_results['app']
end

#find_app_by_name(name) ⇒ Object



288
289
290
291
292
293
294
295
296
297
298
299
300
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 288

def find_app_by_name(name)
  app_results = apps_interface.list({name: name})
  apps = app_results['apps']
  if apps.empty?
    print_red_alert "App not found by name #{name}"
    exit 1
  elsif apps.size > 1
    print_red_alert "#{apps.size} apps exist with the name #{name}. Try using id instead"
    exit 1
  end

  return app_results['apps'][0]
end

#find_app_by_name_or_id(val) ⇒ Object



302
303
304
305
306
307
308
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 302

def find_app_by_name_or_id(val)
  if val.to_s =~ /\A\d{1,}\Z/
    return find_app_by_id(val)
  else
    return find_app_by_name(val)
  end
end

#find_cloud_by_id_for_provisioning(group_id, val) ⇒ Object



142
143
144
145
146
147
148
149
150
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 142

def find_cloud_by_id_for_provisioning(group_id, val)
  clouds = get_available_clouds(group_id)
  cloud = clouds.find {|it| it["id"].to_s == val.to_s }
  if !cloud
    print_red_alert "Cloud not found by id #{val}"
    exit 1
  end
  return cloud
end

#find_cloud_by_name_for_provisioning(group_id, val) ⇒ Object



152
153
154
155
156
157
158
159
160
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 152

def find_cloud_by_name_for_provisioning(group_id, val)
  clouds = get_available_clouds(group_id)
  cloud = clouds.find {|it| it["name"].to_s.downcase == val.to_s.downcase }
  if !cloud
    print_red_alert "Cloud not found by name #{val}"
    exit 1
  end
  return cloud
end

#find_cloud_by_name_or_id_for_provisioning(group_id, val) ⇒ Object



162
163
164
165
166
167
168
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 162

def find_cloud_by_name_or_id_for_provisioning(group_id, val)
  if val.to_s =~ /\A\d{1,}\Z/
    return find_cloud_by_id_for_provisioning(group_id, val)
  else
    return find_cloud_by_name_for_provisioning(group_id, val)
  end
end

#find_cloud_resource_pool_by_name_or_id(cloud_id, val) ⇒ Object



439
440
441
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 439

def find_cloud_resource_pool_by_name_or_id(cloud_id, val)
  (val.to_s =~ /\A\d{1,}\Z/) ? find_cloud_resource_pool_by_id(cloud_id, val) : find_cloud_resource_pool_by_name(cloud_id, val)
end

#find_group_by_id_for_provisioning(val) ⇒ Object



114
115
116
117
118
119
120
121
122
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 114

def find_group_by_id_for_provisioning(val)
  groups = get_available_groups()
  group = groups.find {|it| it["id"].to_s == val.to_s }
  if !group
    print_red_alert "Group not found by id #{val}"
    exit 1
  end
  return group
end

#find_group_by_name_for_provisioning(val) ⇒ Object



124
125
126
127
128
129
130
131
132
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 124

def find_group_by_name_for_provisioning(val)
  groups = get_available_groups()
  group = groups.find {|it| it["name"].to_s.downcase == val.to_s.downcase }
  if !group
    print_red_alert "Group not found by name #{val}"
    exit 1
  end
  return group
end

#find_group_by_name_or_id_for_provisioning(val) ⇒ Object



134
135
136
137
138
139
140
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 134

def find_group_by_name_or_id_for_provisioning(val)
  if val.to_s =~ /\A\d{1,}\Z/
    return find_group_by_id_for_provisioning(val)
  else
    return find_group_by_name_for_provisioning(val)
  end
end

#find_host_by_id(id) ⇒ Object

hosts is the same as servers, just says ‘Host’ instead of ‘Server’



354
355
356
357
358
359
360
361
362
363
364
365
366
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 354

def find_host_by_id(id)
  begin
    json_response = servers_interface.get(id.to_i)
    return json_response['server']
  rescue RestClient::Exception => e
    if e.response && e.response.code == 404
      print_red_alert "Host not found by id #{id}"
      exit 1
    else
      raise e
    end
  end
end

#find_host_by_name(name) ⇒ Object



368
369
370
371
372
373
374
375
376
377
378
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 368

def find_host_by_name(name)
  results = servers_interface.list({name: name})
  if results['servers'].empty?
    print_red_alert "Host not found by name #{name}"
    exit 1
  elsif results['servers'].size > 1
    print_red_alert "#{results['servers'].size} hosts exist with the name #{name}. Try using id instead"
    exit 1
  end
  return results['servers'][0]
end

#find_host_by_name_or_id(val) ⇒ Object



380
381
382
383
384
385
386
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 380

def find_host_by_name_or_id(val)
  if val.to_s =~ /\A\d{1,}\Z/
    return find_host_by_id(val)
  else
    return find_host_by_name(val)
  end
end

#find_instance_by_id(id) ⇒ Object



236
237
238
239
240
241
242
243
244
245
246
247
248
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 236

def find_instance_by_id(id)
  begin
    json_response = instances_interface.get(id.to_i)
    return json_response['instance']
  rescue RestClient::Exception => e
    if e.response && e.response.code == 404
      print_red_alert "Instance not found by id #{id}"
      exit 1
    else
      raise e
    end
  end
end

#find_instance_by_name(name) ⇒ Object



250
251
252
253
254
255
256
257
258
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 250

def find_instance_by_name(name)
  json_results = instances_interface.list({name: name.to_s})
  if json_results['instances'].empty?
    print_red_alert "Instance not found by name #{name}"
    exit 1
  end
  instance = json_results['instances'][0]
  return instance
end

#find_instance_by_name_or_id(val) ⇒ Object



228
229
230
231
232
233
234
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 228

def find_instance_by_name_or_id(val)
  if val.to_s =~ /\A\d{1,}\Z/
    return find_instance_by_id(val)
  else
    return find_instance_by_name(val)
  end
end

#find_instance_type_by_code(code) ⇒ Object



184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 184

def find_instance_type_by_code(code)
  results = instance_types_interface.list({code: code})
  instance_types = results['instanceTypes']
  if instance_types.empty?
    print_red_alert "Instance Type not found by code #{code}"
    return nil
  end
  if instance_types.size() > 1
    print as_pretty_table(instance_types, [:id,:name,:code], {color:red})
    print_red_alert "Try using ID instead"
    return nil
  end
  # return instance_types[0]
  # fetch by ID to get full details
  # could also use ?details-true with search
  return find_instance_type_by_id(instance_types[0]['id'])
end

#find_instance_type_by_id(id) ⇒ Object



170
171
172
173
174
175
176
177
178
179
180
181
182
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 170

def find_instance_type_by_id(id)
  begin
    json_response = instance_types_interface.get(id.to_i)
    return json_response['instanceType']
  rescue RestClient::Exception => e
    if e.response && e.response.code == 404
      print_red_alert "Instance Type not found by id #{id}"
      return nil
    else
      raise e
    end
  end
end

#find_instance_type_by_name(name) ⇒ Object



202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 202

def find_instance_type_by_name(name)
  results = instance_types_interface.list({name: name})
  instance_types = results['instanceTypes']
  if instance_types.empty?
    print_red_alert "Instance Type not found by name #{name}"
    return nil
  end
  if instance_types.size() > 1
    print as_pretty_table(instance_types, [:id,:name,:code], {color:red})
    print_red_alert "Try using ID instead"
    return nil
  end
  # return instance_types[0]
  # fetch by ID to get full details
  # could also use ?details-true with search
  return find_instance_type_by_id(instance_types[0]['id'])
end

#find_instance_type_by_name_or_id(val) ⇒ Object



220
221
222
223
224
225
226
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 220

def find_instance_type_by_name_or_id(val)
  if val.to_s =~ /\A\d{1,}\Z/
    return find_instance_type_by_id(val)
  else
    return find_instance_type_by_name(val)
  end
end

#find_instance_type_layout_by_id(layout_id, id) ⇒ Object



394
395
396
397
398
399
400
401
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 394

def find_instance_type_layout_by_id(layout_id, id)
  json_results = instance_type_layouts_interface.get(layout_id, id)
  if json_results['instanceTypeLayout'].empty?
    print_red_alert "Instance type layout not found by id #{id}"
    exit 1
  end
  json_results['instanceTypeLayout']
end

#find_server_by_id(id) ⇒ Object

servers



312
313
314
315
316
317
318
319
320
321
322
323
324
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 312

def find_server_by_id(id)
  begin
    json_response = servers_interface.get(id.to_i)
    return json_response['server']
  rescue RestClient::Exception => e
    if e.response && e.response.code == 404
      print_red_alert "Server not found by id #{id}"
      exit 1
    else
      raise e
    end
  end
end

#find_server_by_name(name) ⇒ Object



326
327
328
329
330
331
332
333
334
335
336
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 326

def find_server_by_name(name)
  results = servers_interface.list({name: name})
  if results['servers'].empty?
    print_red_alert "Server not found by name #{name}"
    exit 1
  elsif results['servers'].size > 1
    print_red_alert "Multiple servers exist with the name #{name}. Try using id instead"
    exit 1
  end
  return results['servers'][0]
end

#find_server_by_name_or_id(val) ⇒ Object



338
339
340
341
342
343
344
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 338

def find_server_by_name_or_id(val)
  if val.to_s =~ /\A\d{1,}\Z/
    return find_server_by_id(val)
  else
    return find_server_by_name(val)
  end
end

#find_workflow_by_id(id) ⇒ Object



411
412
413
414
415
416
417
418
419
420
421
422
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 411

def find_workflow_by_id(id)
  begin
    json_response = @task_sets_interface.get(id.to_i)
    return json_response['taskSet']
  rescue RestClient::Exception => e
    if e.response && e.response.code == 404
      print_red_alert "Workflow not found by id #{id}"
    else
      raise e
    end
  end
end

#find_workflow_by_name(name) ⇒ Object



424
425
426
427
428
429
430
431
432
433
434
435
436
437
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 424

def find_workflow_by_name(name)
  workflows = @task_sets_interface.get({name: name.to_s})['taskSets']
  if workflows.empty?
    print_red_alert "Workflow not found by name #{name}"
    return nil
  elsif workflows.size > 1
    print_red_alert "#{workflows.size} workflows by name #{name}"
    print_workflows_table(workflows, {color: red})
    print reset,"\n\n"
    return nil
  else
    return workflows[0]
  end
end

#find_workflow_by_name_or_id(val) ⇒ Object



403
404
405
406
407
408
409
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 403

def find_workflow_by_name_or_id(val)
  if val.to_s =~ /\A\d{1,}\Z/
    return find_workflow_by_id(val)
  else
    return find_workflow_by_name(val)
  end
end

#format_app_status(app, return_color = cyan) ⇒ Object



2415
2416
2417
2418
2419
2420
2421
2422
2423
2424
2425
2426
2427
2428
2429
2430
2431
2432
2433
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2415

def format_app_status(app, return_color=cyan)
  out = ""
  status_string = app['status'] || app['appStatus'] || ''
  if status_string == 'running'
    out = "#{green}#{status_string.upcase}#{return_color}"
  elsif status_string == 'provisioning'
    out = "#{cyan}#{status_string.upcase}#{cyan}"
  elsif status_string == 'stopped' or status_string == 'failed'
    out = "#{red}#{status_string.upcase}#{return_color}"
  elsif status_string == 'unknown'
    out = "#{yellow}#{status_string.upcase}#{return_color}"
  elsif status_string == 'warning' && app['instanceCount'].to_i == 0
    # show this instead of WARNING
    out =  "#{cyan}EMPTY#{return_color}"
  else
    out =  "#{yellow}#{status_string.upcase}#{return_color}"
  end
  out
end

#format_blueprint_type(type_code) ⇒ Object



2470
2471
2472
2473
2474
2475
2476
2477
2478
2479
2480
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2470

def format_blueprint_type(type_code)
  return type_code.to_s # just show it as is
  if type_code.to_s.empty?
    type_code = "morpheus"
  end
  if type_code.to_s.downcase == "arm"
    "ARM"
  else
    return type_code.to_s.capitalize
  end
end

#format_container_connection_string(container) ⇒ Object



2450
2451
2452
2453
2454
2455
2456
2457
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2450

def format_container_connection_string(container)
  if !container['ports'].nil? && container['ports'].empty? == false
    connection_string = "#{container['ip']}:#{container['ports'][0]['external']}"
  else
    # eh? more logic needed here i think, see taglib morph:containerLocationMenu
    connection_string = "#{container['ip']}"
  end
end

#format_container_status(container, return_color = cyan) ⇒ Object



2435
2436
2437
2438
2439
2440
2441
2442
2443
2444
2445
2446
2447
2448
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2435

def format_container_status(container, return_color=cyan)
  out = ""
  status_string = container['status'].to_s
  if status_string == 'running'
    out << "#{green}#{status_string.upcase}#{return_color}"
  elsif status_string == 'provisioning'
    out << "#{cyan}#{status_string.upcase}#{return_color}"
  elsif status_string == 'stopped' or status_string == 'failed'
    out << "#{red}#{status_string.upcase}#{return_color}"
  else
    out << "#{yellow}#{status_string.upcase}#{return_color}"
  end
  out
end

#format_instance_connection_string(instance) ⇒ Object



2409
2410
2411
2412
2413
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2409

def format_instance_connection_string(instance)
  if !instance['connectionInfo'].nil? && instance['connectionInfo'].empty? == false
    connection_string = "#{instance['connectionInfo'][0]['ip']}:#{instance['connectionInfo'][0]['port']}"
  end
end

#format_instance_container_display_name(instance, plural = false) ⇒ Object



2459
2460
2461
2462
2463
2464
2465
2466
2467
2468
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2459

def format_instance_container_display_name(instance, plural=false)
  #<span class="info-label">${[null,'docker'].contains(instance.layout?.provisionType?.code) ? 'Containers' : 'Virtual Machines'}:</span> <span class="info-value">${instance.containers?.size()}</span>
  v = plural ? "Containers" : "Container"
  if instance && instance['layout'] && instance['layout'].key?("provisionTypeCode")
    if [nil, 'docker'].include?(instance['layout']["provisionTypeCode"])
      v = plural ? "Virtual Machines" : "Virtual Machine"
    end
  end
  return v
end

#format_instance_status(instance, return_color = cyan) ⇒ Object



2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
2407
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2394

def format_instance_status(instance, return_color=cyan)
  out = ""
  status_string = instance['status'].to_s
  if status_string == 'running'
    out << "#{green}#{status_string.upcase}#{return_color}"
  elsif status_string == 'provisioning'
    out << "#{cyan}#{status_string.upcase}#{return_color}"
  elsif status_string == 'stopped' or status_string == 'failed'
    out << "#{red}#{status_string.upcase}#{return_color}"
  else
    out << "#{yellow}#{status_string.upcase}#{return_color}"
  end
  out
end

#format_metadata(tags) ⇒ Object

Converts metadata tags array into a string like “name:value, foo:bar”



1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 1772

def (tags)
  if tags.nil? || tags.empty?
    ""
  elsif tags.instance_of?(Array)
    tags.collect {|tag| "#{tag['name']}: #{tag['value']}" }.sort.join(", ")
  elsif tags.instance_of?(Hash)
    tags.collect {|k,v| "#{k}: #{v}" }.sort.join(", ")
  else
    tags.to_s
  end
end

#format_snapshot_status(snapshot, return_color = cyan) ⇒ Object



2496
2497
2498
2499
2500
2501
2502
2503
2504
2505
2506
2507
2508
2509
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2496

def format_snapshot_status(snapshot, return_color=cyan)
  out = ""
  status_string = snapshot['status'].to_s
  if status_string == 'complete'
    out << "#{green}#{status_string.upcase}#{return_color}"
  elsif status_string == 'creating'
    out << "#{cyan}#{status_string.upcase}#{return_color}"
  elsif status_string == 'failed'
    out << "#{red}#{status_string.upcase}#{return_color}"
  else
    out << "#{yellow}#{status_string.upcase}#{return_color}"
  end
  out
end

#get_available_accounts(refresh = false) ⇒ Object



95
96
97
98
99
100
101
102
103
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 95

def get_available_accounts(refresh=false)
  if !@available_accounts || refresh
    # @available_accounts = accounts_interface.list()['accounts']
    @available_accounts = options_interface.options_for_source("allTenants", {})['data'].collect {|it|
      {"name" => it["name"], "value" => it["value"], "id" => it["value"]}
    }
  end
  @available_accounts
end

#get_available_clouds(group_id, params = {}, refresh = false) ⇒ Object



75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 75

def get_available_clouds(group_id, params = {}, refresh=false)
  if !group_id
    option_results = options_interface.options_for_source('clouds', params.merge({'default' => 'false'}))
    return option_results['data'].collect {|it|
      {"id" => it["value"], "name" => it["name"], "value" => it["value"], "zoneTypeId" => it["zoneTypeId"]}
    }
  end
  group = find_group_by_id_for_provisioning(group_id)
  if !group
    return []
  end
  if !group["clouds"] || refresh
    option_results = options_interface.options_for_source('clouds', params.merge({groupId: group_id}))
    group["clouds"] = option_results['data'].collect {|it|
      {"id" => it["value"], "name" => it["name"], "value" => it["value"], "zoneTypeId" => it["zoneTypeId"]}
    }
  end
  return group["clouds"]
end

#get_available_environments(refresh = false) ⇒ Object



1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 1941

def get_available_environments(refresh=false)
  if !@available_environments || refresh
    begin
      option_results = options_interface.options_for_source('environments',{})
      @available_environments = option_results['data'].collect {|it|
        {"code" => (it["code"] || it["value"]), "name" => it["name"], "value" => it["value"]}
      }
    rescue RestClient::Exception => e
      # if e.response && e.response.code == 404
        Morpheus::Logging::DarkPrinter.puts "Unable to determine available environments, using default options" if Morpheus::Logging.debug?
        @available_environments = get_static_environments()
      # else
      #   raise e
      # end
    end
  end
  return @available_environments
end

#get_available_groups(params = {}, refresh = false) ⇒ Object



64
65
66
67
68
69
70
71
72
73
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 64

def get_available_groups(params = {}, refresh=false)
  if !@available_groups || refresh
    option_results = options_interface.options_for_source('groups', params)
    @available_groups = option_results['data'].collect {|it|
      {"id" => it["value"], "name" => it["name"], "value" => it["value"]}
    }
  end
  #puts "get_available_groups() rtn: #{@available_groups.inspect}"
  return @available_groups
end

#get_available_plans(refresh = false) ⇒ Object



105
106
107
108
109
110
111
112
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 105

def get_available_plans(refresh=false)
  if !@available_plans || refresh
    @available_plans = instances_interface.search_plans['searchPlans'].collect {|it|
      {"name" => it["name"], "value" => it["id"]}
    }
  end
  @available_plans
end

#get_provision_type_for_zone_type(zone_type_id) ⇒ Object



443
444
445
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 443

def get_provision_type_for_zone_type(zone_type_id)
  clouds_interface.cloud_type(zone_type_id)['zoneType']['provisionTypes'].first rescue nil
end

#get_static_environmentsObject



1960
1961
1962
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 1960

def get_static_environments
  [{'name' => 'Dev', 'value' => 'dev'}, {'name' => 'Test', 'value' => 'qa'}, {'name' => 'Staging', 'value' => 'staging'}, {'name' => 'Production', 'value' => 'production'}]
end

#instance_type_layouts_interfaceObject



36
37
38
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 36

def instance_type_layouts_interface
  @api_client.library_layouts
end

#instance_types_interfaceObject



32
33
34
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 32

def instance_types_interface
  @api_client.instance_types
end

#instances_interfaceObject



16
17
18
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 16

def instances_interface
  @api_client.instances
end

#load_balance_protocols_dropdownObject

Exposed Ports component



2266
2267
2268
2269
2270
2271
2272
2273
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2266

def load_balance_protocols_dropdown
  [
    {'name' => 'None', 'value' => ''},
    {'name' => 'HTTP', 'value' => 'HTTP'},
    {'name' => 'HTTPS', 'value' => 'HTTPS'},
    {'name' => 'TCP', 'value' => 'TCP'}
  ]
end

#options_interfaceObject



28
29
30
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 28

def options_interface
  @api_client.options
end

#parse_blueprint_type(type_code) ⇒ Object



2482
2483
2484
2485
2486
2487
2488
2489
2490
2491
2492
2493
2494
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2482

def parse_blueprint_type(type_code)
  return type_code.to_s # just use it as is
  # if type_code.to_s.empty?
  #   type_code = "morpheus"
  # end
  if type_code.to_s.downcase == "arm"
    "arm"
  elsif type_code.to_s.downcase == "cloudformation"
    type_code = "cloudFormation"
  else
    return type_code.to_s.downcase
  end
end

#parse_host_id_list(id_list) ⇒ Object



388
389
390
391
392
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 388

def parse_host_id_list(id_list)
  parse_id_list(id_list).collect do |host_id|
    find_host_by_name_or_id(host_id)['id']
  end
end

#parse_instance_id_list(id_list) ⇒ Object



260
261
262
263
264
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 260

def parse_instance_id_list(id_list)
  parse_id_list(id_list).collect do |instance_id|
    find_instance_by_name_or_id(instance_id)['id']
  end
end

#parse_metadata(val) ⇒ Object

Parses metadata tags object (string) into an array



1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 1785

def (val)
   = nil
  if val
    if val == "[]" || val == "null"
       = []
    elsif val.is_a?(Array)
       = val
    else
      # parse string into format name:value, name:value
      # merge IDs from current metadata
      # todo: should allow quoted semicolons..
       = val.to_s.split(",").select {|it| !it.to_s.empty? }
       = .collect do |it|
         = it.include?(":") ? it.split(":") : it.split("=")
        row = {}
        row['name'] = [0].to_s.strip
        row['value'] = [1].to_s.strip
        # hacky way to set masked flag to true of false to (masked) in the value itself
        if(row['value'].include?("(masked)"))
          row['value'] = row['value'].gsub("(masked)", "").strip
          row['masked'] = true
        end
        if(row['value'].include?("(unmasked)"))
          row['value'] = row['value'].gsub("(unmasked)", "").strip
          row['masked'] = false
        end
        row
      end
       = 
    end
  end
  return 
end

#parse_resource_id_list(id_list) ⇒ Object

todo: crud and /api/options for resources



270
271
272
273
274
275
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 270

def parse_resource_id_list(id_list)
  parse_id_list(id_list).collect do |resource_id|
    #find_resource_by_name_or_id(resource_id)['id']
    resource_id
  end
end

#parse_server_id_list(id_list) ⇒ Object



346
347
348
349
350
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 346

def parse_server_id_list(id_list)
  parse_id_list(id_list).collect do |server_id|
    find_server_by_name_or_id(server_id)['id']
  end
end


2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2183

def print_permissions(permissions, excludes = [])
  if permissions.nil?
    print_h2 "Permissions"
    print yellow,"No permissions found.",reset,"\n"
  else
    if !permissions['resourcePermissions'].nil?
      if !excludes.include?('groups')
        print_h2 "Group Access"

        if excludes.include?('groupDefaults')
          groups = []
          groups << 'All' if permissions['resourcePermissions']['all']
          groups += permissions['resourcePermissions']['sites'].collect {|it| it['name']} if permissions['resourcePermissions']['sites']

          if groups.count > 0
            print cyan,"#{groups.join(', ')}".center(20)
          else
            print yellow,"No group access",reset,"\n"
          end
          print "\n"
        else
          rows = []
          if permissions['resourcePermissions']['all']
            rows.push({group: 'All'})
          end
          if permissions['resourcePermissions']['sites']
            permissions['resourcePermissions']['sites'].each do |site|
              rows.push({group: site['name'], default: site['default'] ? 'Yes' : ''})
            end
          end
          if rows.empty?
            print yellow,"No group access",reset,"\n"
          else
            columns = [:group, :default]
            print cyan
            print as_pretty_table(rows, columns)
          end
        end
      end

      if !excludes.include?('plans')
        print_h2 "Plan Access"
        rows = []
        if permissions['resourcePermissions']['allPlans']
          rows.push({plan: 'All'})
        end
        if permissions['resourcePermissions']['plans']
          permissions['resourcePermissions']['plans'].each do |plan|
            rows.push({plan: plan['name'], default: plan['default'] ? 'Yes' : ''})
          end
        end
        if rows.empty?
          print yellow,"No plan access",reset,"\n"
        else
          columns = [:plan, :default]
          print cyan
          print as_pretty_table(rows, columns)
        end
      end

      if !excludes.include?('tenants')
        if !permissions['tenantPermissions'].nil?
          print_h2 "Tenant Permissions"
          if !permissions['resourcePool'].nil?
            print cyan
            print "Visibility: #{permissions['resourcePool']['visibility'].to_s.capitalize}".center(20)
            print "\n"
          end
          if !permissions['tenantPermissions'].nil?
            print cyan
            print "Accounts: #{permissions['tenantPermissions']['accounts'].join(', ')}".center(20)
            print "\n"
          end
        end
      end
      print "\n"
    end
  end
end

#prompt_evars(options = {}) ⇒ Object

Prompts user for environment variables for new instance returns array of evar objects null, name: “VAR”, value: “somevalue”



1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 1746

def prompt_evars(options={})
  #puts "Configure Environment Variables:"
  no_prompt = (options[:no_prompt] || (options[:options] && options[:options][:no_prompt]))
  evars = []
  evar_index = 0
  has_another_evar = options[:options] && options[:options]["evar#{evar_index}"]
  add_another_evar = has_another_evar || (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Add an environment variable?", {default: false}))
  while add_another_evar do
    field_context = "evar#{evar_index}"
    evar = {}
    evar['id'] = nil
    evar_label = evar_index == 0 ? "ENV" : "ENV [#{evar_index+1}]"
    v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'name', 'type' => 'text', 'fieldLabel' => "#{evar_label} Name", 'required' => true, 'description' => 'Environment Variable Name.', 'defaultValue' => evar['name']}], options[:options])
    evar['name'] = v_prompt[field_context]['name']
    v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'value', 'type' => 'text', 'fieldLabel' => "#{evar_label} Value", 'required' => true, 'description' => 'Environment Variable Value', 'defaultValue' => evar['value']}], options[:options])
    evar['value'] = v_prompt[field_context]['value']
    evars << evar
    evar_index += 1
    has_another_evar = options[:options] && options[:options]["evar#{evar_index}"]
    add_another_evar = has_another_evar || (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Add another environment variable?", {default: false}))
  end

  return evars
end

#prompt_exposed_ports(options = {}, api_client = nil, api_params = {}) ⇒ Object

Prompts user for ports array returns array of port objects



2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2277

def prompt_exposed_ports(options={}, api_client=nil, api_params={})
  #puts "Configure ports:"
  passed_ports = ((options[:options] && options[:options]["ports"]) ? options[:options]["ports"] : nil)
  no_prompt = (options[:no_prompt] || (options[:options] && options[:options][:no_prompt]))
  # skip prompting?
  if no_prompt
    return passed_ports
  end
  # value already given
  if passed_ports.is_a?(Array)
    return passed_ports
  end

  # prompt for ports
  ports = []
  port_index = 0
  has_another_port = options[:options] && options[:options]["ports"]
  add_another_port = has_another_port || (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Add an exposed port?", {default:false}))
  while add_another_port do
    field_context = port_index == 0 ? "ports" : "ports#{port_index}"

    port = {}
    port_label = port_index == 0 ? "Port" : "Port [#{port_index+1}]"
    v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'name', 'type' => 'text', 'fieldLabel' => "#{port_label} Name", 'required' => false, 'description' => 'Choose a name for this port.', 'defaultValue' => port['name']}], options[:options])
    port['name'] = v_prompt[field_context]['name']

    v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'port', 'type' => 'number', 'fieldLabel' => "#{port_label} Number", 'required' => true, 'description' => 'A port number. eg. 8001', 'defaultValue' => (port['port'] ? port['port'].to_i : nil)}], options[:options])
    port['port'] = v_prompt[field_context]['port']

    v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'lb', 'type' => 'select', 'fieldLabel' => "#{port_label} LB", 'required' => false, 'selectOptions' => load_balance_protocols_dropdown, 'description' => 'Choose a load balance protocol.', 'defaultValue' => port['lb']}], options[:options])
    # port['loadBalanceProtocol'] = v_prompt[field_context]['lb']
    port['lb'] = v_prompt[field_context]['lb']

    ports << port
    port_index += 1
    has_another_port = options[:options] && options[:options]["ports#{port_index}"]
    add_another_port = has_another_port || (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Add another exposed port?", {default:false}))
  end


  return ports
end

#prompt_instance_load_balancer(instance, default_lb_id, options) ⇒ Object

Prompts user for load balancer settings returns Hash of parameters like “-1”, etc



1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 1895

def prompt_instance_load_balancer(instance, default_lb_id, options)
  #puts "Configure Environment Variables:"
  no_prompt = (options[:no_prompt] || (options[:options] && options[:options][:no_prompt]))
  payload = {}
  api_params = {}
  if instance['id']
    api_params['instanceId'] = instance['id']
  end
  if instance['zone']
    api_params['zoneId'] = instance['zone']['id']
  elsif instance['cloud']
    api_params['zoneId'] = instance['cloud']['id']
  end
  if instance['group']
    api_params['siteId'] = instance['group']['id']
  elsif instance['site']
    api_params['siteId'] = instance['site']['id']
  end
  if instance['plan']
    api_params['planId'] = instance['plan']['id']
  end
  v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'loadBalancerId', 'type' => 'select', 'fieldLabel' => "Load Balancer", 'optionSource' => 'loadBalancers', 'required' => true, 'description' => 'Select Load Balancer for instance', 'defaultValue' => default_lb_id || ''}], options[:options], api_client, api_params)
  lb_id = v_prompt['loadBalancerId']
  payload['loadBalancerId'] = lb_id

  # todo: finish implmenting this

  # loadBalancerId
  # loadBalancerProxyProtocol
  # loadBalancerName
  # loadBalancerDescription
  # loadBalancerSslCert
  # loadBalancerScheme
  
  return payload
end

#prompt_metadata(options = {}) ⇒ Object

Prompts user for environment variables for new instance returns array of metadata objects null, name: “MYTAG”, value: “myvalue”



1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 1821

def (options={})
  #puts "Configure Environment Variables:"
  no_prompt = (options[:no_prompt] || (options[:options] && options[:options][:no_prompt]))
   = []
   = 0
  # Keep Current Tags (foo:bar,hello:world)
  # this is used by clone()
  if options[:current_tags] && !options[:current_tags].empty?
    current_tags_string = options[:current_tags].collect { |tag| tag['name'].to_s + '=' + tag['value'].to_s }.join(', ')
    v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'keepExistingTags', 'type' => 'checkbox', 'fieldLabel' => "Keep existing metadata tags (#{current_tags_string}) ?", 'required' => true, 'description' => 'Whether or not to keep existing metadata tags', 'defaultValue' => true}], options[:options])
    if ['on','true','1',''].include?(v_prompt['keepExistingTags'].to_s.downcase)
      options[:current_tags].each do |tag|
        current_tag = tag.clone
        current_tag.delete('id')
         << current_tag
      end
    end
  end
   = options[:options] && options[:options]["metadata#{}"]
   =  || (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Add a metadata tag?", {default: false}))
  while  do
    field_context = "metadata#{}"
     = {}
    #metadata['id'] = nil
     =  == 0 ? "Metadata Tag" : "Metadata Tag [#{+1}]"
    v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'name', 'type' => 'text', 'fieldLabel' => "#{} Name", 'required' => true, 'description' => 'Metadata Tag Name.', 'defaultValue' => ['name']}], options[:options])
    # todo: metadata.type ?
    ['name'] = v_prompt[field_context]['name']
    v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'value', 'type' => 'text', 'fieldLabel' => "#{} Value", 'required' => true, 'description' => 'Metadata Tag Value', 'defaultValue' => ['value']}], options[:options])
    ['value'] = v_prompt[field_context]['value']
     << 
     += 1
     = options[:options] && options[:options]["metadata#{}"]
     =  || (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Add another metadata tag?", {default: false}))
  end

  return 
end

#prompt_network_interfaces(zone_id, provision_type_id, pool_id, options = {}) ⇒ Object

This recreates the behavior of multi_networks.js This is used by both ‘instances add` and `hosts add` returns array of networkInterfaces based on provision type and cloud settings



1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 1592

def prompt_network_interfaces(zone_id, provision_type_id, pool_id, options={})
  #puts "Configure Networks:"
  no_prompt = (options[:no_prompt] || (options[:options] && options[:options][:no_prompt]))
  network_interfaces = []
  api_params = {zoneId: zone_id, provisionTypeId: provision_type_id}.merge(options[:api_params] || {})
  if pool_id
    api_params[:poolId] = pool_id 
  end

  zone_network_options_json = api_client.options.options_for_source('zoneNetworkOptions', api_params)
  # puts "zoneNetworkOptions JSON"
  # puts JSON.pretty_generate(zone_network_options_json)
  zone_network_data = zone_network_options_json['data'] || {}
  networks = zone_network_data['networks']
  network_groups = zone_network_data['networkGroups']
  if network_groups
    networks = network_groups + networks
  end
  network_subnets = zone_network_data['networkSubnets']
  if network_subnets
    networks += network_subnets
  end
  network_interface_types = (zone_network_data['networkTypes'] || []).sort { |x,y| x['displayOrder'] <=> y['displayOrder'] }
  enable_network_type_selection = (zone_network_data['enableNetworkTypeSelection'] == 'on' || zone_network_data['enableNetworkTypeSelection'] == true)
  has_networks = zone_network_data["hasNetworks"] == true
  max_networks = (zone_network_data["maxNetworks"].to_i > 0) ? zone_network_data["maxNetworks"].to_i : nil

  # skip unless provision type supports networks
  if !has_networks
    return nil
  end

  # no networks available, shouldn't happen
  if networks.empty?
    return network_interfaces
  end

  network_options = []
  networks.each do |opt|
    if !opt.nil?
      network_options << {'name' => opt['name'], 'value' => opt['id']}
    end
  end

  network_interface_type_options = []
  network_interface_types.each do |opt|
    if !opt.nil?
      network_interface_type_options << {'name' => opt['name'], 'value' => opt['id']}
    end
  end

  interface_index = 0
  add_another_interface = true
  while add_another_interface do
    # if !no_prompt
    #   if interface_index == 0
    #     puts "Configure Network Interface"
    #   else
    #     puts "Configure Network Interface #{interface_index+1}"
    #   end
    # end

    # networkInterfaces may be passed as objects from blueprints or via -O networkInterfaces='[]'
    field_context = interface_index == 0 ? "networkInterface" : "networkInterface#{interface_index+1}"
    network_interface = {}
    if options[:options] && options[:options]['networkInterfaces'] && options[:options]['networkInterfaces'][interface_index]
      network_interface = options[:options]['networkInterfaces'][interface_index]
    end

    default_network_id = network_interface['networkId'] || network_interface['id']
    if default_network_id.nil? && network_interface['network'].is_a?(Hash) && network_interface['network']['id']
      default_network_id = network_interface['network']['id']
    end
    # JD: this for cluster or server prompting perhaps?
    # because zoneNetworkOptions already returns foramt like "id": "network-1"
    if !default_network_id || !default_network_id.to_s.include?("-")
      if network_interface['network'] && network_interface['network']['id']
        if network_interface['network']['subnet']
          default_network_id = "subnet-#{network_interface['network']['subnet']}"
        elsif network_interface['network']['group']
          default_network_id = "networkGroup-#{network_interface['network']['group']}"
        else
          default_network_id = "network-#{network_interface['network']['id']}"
        end
      end
    end

    default_network_value = (network_options.find {|n| n['value'] == default_network_id} || {})['name']

    # choose network
    v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'networkId', 'type' => 'select', 'fieldLabel' => "Network", 'selectOptions' => network_options, 'required' => true, 'skipSingleOption' => false, 'description' => 'Choose a network for this interface.', 'defaultValue' => default_network_value}], options[:options], api_client, {}, no_prompt, true)
    network_interface['network'] = {}
    network_interface['network']['id'] = v_prompt[field_context]['networkId'].to_s
    selected_network = networks.find {|it| it["id"].to_s == network_interface['network']['id'] }
    #network_options.reject! {|it| it['value'] == v_prompt[field_context]['networkId']}

    if !selected_network
      print_red_alert "Network not found by id #{network_interface['network']['id']}!"
      exit 1
    end

    # choose network interface type
    if enable_network_type_selection && !network_interface_type_options.empty?
      default_interface_type_value = (network_interface_type_options.find {|t| t['value'].to_s == network_interface['networkInterfaceTypeId'].to_s} || {})['name']
      v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'networkInterfaceTypeId', 'type' => 'select', 'fieldLabel' => "Network Interface Type", 'selectOptions' => network_interface_type_options, 'required' => true, 'skipSingleOption' => true, 'description' => 'Choose a network interface type.', 'defaultValue' => default_interface_type_value}], options[:options])
      network_interface['networkInterfaceTypeId'] = v_prompt[field_context]['networkInterfaceTypeId'].to_i
    end

    # choose IP if network allows it
    # allowStaticOverride is only returned in 4.2.1+, so treat null as true for now..
    ip_available = selected_network['allowStaticOverride'] == true || selected_network['allowStaticOverride'].nil?
    ip_required = true
    if selected_network['id'].to_s.include?('networkGroup')
      #puts "IP Address: Using network group." if !no_prompt
      ip_available = false
      ip_required = false
    elsif selected_network['pool']
      #puts "IP Address: Using pool '#{selected_network['pool']['name']}'" if !no_prompt
      ip_required = false
    elsif selected_network['dhcpServer']
      #puts "IP Address: Using DHCP" if !no_prompt
      ip_required = false
    end

    if ip_available
      v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'ipAddress', 'type' => 'text', 'fieldLabel' => "IP Address", 'required' => ip_required, 'description' => 'Enter an IP for this network interface. x.x.x.x', 'defaultValue' => network_interface['ipAddress']}], options[:options])
      if v_prompt[field_context] && !v_prompt[field_context]['ipAddress'].to_s.empty?
        network_interface['ipAddress'] = v_prompt[field_context]['ipAddress']
      end
    end

    if ip_required == false && network_interface['ipAddress'] == nil && selected_network['dhcpServer'] == true
      network_interface['ipMode'] = 'dhcp'
    end

    network_interfaces << network_interface
    interface_index += 1
    if options[:options] && options[:options]['networkInterfaces'] && options[:options]['networkInterfaces'][interface_index]
      add_another_interface = true
    elsif (max_networks && network_interfaces.size >= max_networks) || network_options.count == 0
      add_another_interface = false
    else
      has_another_interface = options[:options] && options[:options]["networkInterface#{interface_index+1}"]
      add_another_interface = has_another_interface || (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Add another network interface?", {:default => false}))
    end

  end

  return network_interfaces

end

#prompt_new_instance(options = {}) ⇒ Object

prompts user for all the configuartion options for a particular instance returns payload of data for a new instance



449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 449

def prompt_new_instance(options={})
  no_prompt = (options[:no_prompt] || (options[:options] && options[:options][:no_prompt]))
  #puts "prompt_new_instance() #{options}"
  print reset # clear colors
  options[:options] ||= {}
  # provisioning with blueprint can lock fields
  locked_fields = options[:locked_fields] || []
  # Group
  default_group = find_group_by_name_or_id_for_provisioning(options[:default_group] || @active_group_id) if options[:default_group] || @active_group_id

  group_id = nil
  group = options[:group] ? find_group_by_name_or_id_for_provisioning(options[:group]) : nil
  if group
    group_id = group["id"]
  else
    # print_red_alert "Group not found or specified!"
    # exit 1
    group_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'group', 'type' => 'select', 'fieldLabel' => 'Group', 'selectOptions' => get_available_groups(), 'required' => true, 'description' => 'Select Group.', 'defaultValue' => (default_group ? default_group['name'] : nil)}],options[:options],api_client,{})
    group_id = group_prompt['group']
  end

  # Cloud
  cloud_id = nil
  cloud = options[:cloud] ? find_cloud_by_name_or_id_for_provisioning(group_id, options[:cloud]) : nil
  if cloud
    cloud_id = cloud["id"]
  else
    # print_red_alert "Cloud not specified!"
    # exit 1
    available_clouds = get_available_clouds(group_id)
    cloud_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'cloud', 'type' => 'select', 'fieldLabel' => 'Cloud', 'selectOptions' => get_available_clouds(group_id), 'required' => true, 'description' => 'Select Cloud.', 'defaultValue' => options[:default_cloud] ? options[:default_cloud] : nil}],options[:options],api_client,{groupId: group_id})
    cloud_id = cloud_prompt['cloud']
    cloud = available_clouds.find {|it| it['value'] == cloud_id}
  end

  cloud_type = clouds_interface.cloud_type(cloud['zoneTypeId'])

  # Instance Type
  instance_type_code = nil
  if options[:instance_type_code]
    instance_type_code = options[:instance_type_code]
  else
    instance_type_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'type', 'type' => 'select', 'fieldLabel' => 'Type', 'optionSource' => 'instanceTypes', 'required' => true, 'description' => 'Select Instance Type.'}],options[:options],api_client,{groupId: group_id, cloudId: cloud_id, restrictProvisionType:true}, no_prompt, true)
    instance_type_code = instance_type_prompt['type']
  end
  if instance_type_code.to_s =~ /\A\d{1,}\Z/
    instance_type = find_instance_type_by_id(instance_type_code)
  else
    instance_type = find_instance_type_by_code(instance_type_code)
  end
  exit 1 if !instance_type

  # Instance Name
  instance_name = nil
  if options[:instance_name]
    options[:options]['name'] = options[:instance_name]
  elsif options[:options]['instance'] && options[:options]['instance']['name']
    options[:options]['name'] = options[:options]['instance']['name']
  end

  while instance_name.nil? do
    name_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'name', 'fieldLabel' => 'Instance Name', 'type' => 'text', 'required' => options[:name_required], 'defaultValue' => options[:default_name]}], options[:options])

    if name_prompt['name'].nil? && !options[:name_required]
      break
    else
      if instances_interface.list({name: name_prompt['name']})['instances'].empty?
        instance_name = name_prompt['name']
      else
        print_red_alert "Name must be unique"
        exit 1 if no_prompt
        if options[:default_name] == name_prompt['name']
          options[:default_name] += '-2'
        end
      end
    end
  end

  # config
  config = {}
=begin
  if cloud_type['code'] == 'amazon' && (cloud['config'] || {})['isVpc'] == 'false' && (cloud['config'] || {})['vpc'] == ''
    config['isEC2'] = true
  else
    config['isEC2'] = false
    if cloud_type['code'] == 'amazon' && (cloud['config'] || {})['isVpc'] == 'true' && (cloud['config'] || {})['vpc'] != ''
      config['isVpcSelectable'] = false
      config['resourcePoolId'] = cloud['config']['vpc']
    else
      config['isVpcSelectable'] = true
    end
  end
=end

  payload = {
    'zoneId' => cloud_id,
    # 'siteId' => siteId,
    'instance' => {
      'name' => instance_name,
      'cloud' => cloud['name'],
      'site' => {
        'id' => group_id
      },
      'type' => instance_type_code,
      'instanceType' => {
        'code' => instance_type_code
      }
    },
    'config' => config
  }

  # allow arbitrary -O values passed by the user
  if options[:options]
    arbitrary_options = (options[:options] || {}).reject {|k,v| k.is_a?(Symbol) }
    # remove some things that are being prompted for
    arbitrary_options.delete('group')
    arbitrary_options.delete('cloud')
    arbitrary_options.delete('type')
    arbitrary_options.delete('name')
    #arbitrary_options.delete('version')
    arbitrary_options.delete('layout')
    arbitrary_options.delete('servicePlan')
    arbitrary_options.delete('description')
    arbitrary_options.delete('environment')
    arbitrary_options.delete('instanceContext')
    arbitrary_options.delete('tags')
    # these are used by prompt_network_interfaces
    arbitrary_options.delete('networkInterface')
    (2..10).each {|i| arbitrary_options.delete('networkInterface' + i.to_s) }
    # these are used by prompt_volumes
    arbitrary_options.delete('rootVolume')
    arbitrary_options.delete('dataVolume')
    (2..10).each {|i| arbitrary_options.delete('dataVolume' + i.to_s) }
    arbitrary_options.delete('lockedFields')
    # arbitrary_options.delete('ports')
    arbitrary_options.delete('marketplacePublisher')
    arbitrary_options.delete('marketplaceOffer')
    arbitrary_options.delete('marketplaceSku')
    arbitrary_options.delete('marketplaceVersion')
    payload.deep_merge!(arbitrary_options)
  end

  # Description
  if options[:description]
    options[:options]['description'] = options[:description]
  end
  v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'description', 'fieldLabel' => 'Description', 'type' => 'text', 'required' => false, 'defaultValue' => options[:default_description]}], options[:options])
  payload['instance']['description'] = v_prompt['description'] if !v_prompt['description'].empty?

  # Environment
  if options[:environment]
    options[:options]['environment'] = options[:environment]
  elsif options[:options]['instanceContext'] && !options[:options]['environment']
    options[:options]['environment'] = options[:options]['instanceContext']
  end
  v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'environment', 'fieldLabel' => 'Environment', 'type' => 'select', 'required' => false, 'selectOptions' => get_available_environments(), 'defaultValue' => options[:default_environment]}], options[:options])
  payload['instance']['instanceContext'] = v_prompt['environment'] if !v_prompt['environment'].empty?

  # Labels (used to be called tags)
  unless options[:skip_labels_prompt]
    if options[:labels]
      payload['instance']['labels'] = options[:labels].is_a?(Array) ? options[:labels] : options[:labels].to_s.split(',').collect {|it| it.to_s.strip }.compact.uniq
    else
      v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'labels', 'fieldLabel' => 'Labels', 'type' => 'text', 'required' => false, 'defaultValue' => options[:default_labels]}], options[:options])
      payload['instance']['labels'] = v_prompt['labels'].split(',').collect {|it| it.to_s.strip }.compact.uniq if !v_prompt['labels'].empty?
    end
  end

  # Version and Layout
  layout_id = nil
  if locked_fields.include?('instance.layout.id')
    layout_id = options[:options]['instance']['layout'] rescue  options[:options]['layout']
    if layout_id.is_a?(Hash)
      layout_id = layout_id['id'] || layout_id['code'] || layout_id['name']
    end
  else
    layout_id = nil
    if options[:layout]
      layout_id = options[:layout]
    # elsif options[:options]['layout']
    #   layout_id = options[:options]['layout']
    end
    if layout_id.is_a?(Hash)
      layout_id = layout_id['id'] || layout_id['code'] || layout_id['name']
    end
    if layout_id.nil?
      version_value = nil
      default_layout_value = nil
      if options[:version]
        version_value = options[:version]
      elsif options[:options]['version']
        version_value = options[:options]['version']
      else
        available_versions = options_interface.options_for_source('instanceVersions',{groupId: group_id, cloudId: cloud_id, instanceTypeId: instance_type['id']})['data']
        # filter versions with no layouts.. api should probably do that too eh?
        available_versions.reject! { |available_version| available_version["layouts"].nil? || available_version["layouts"].empty? }
        default_version_value = payload['instance']['version'] ? payload['instance']['version'] : payload['version']
        #default_layout_value = options[:layout]
        if default_layout_value.nil?
          default_layout_value = payload['instance']['layout'] ? payload['instance']['layout'] : payload['layout']
        end
        if default_layout_value && default_layout_value.is_a?(Hash)
          default_layout_value = default_layout_value['id']
        end
        # JD: version is always nil because it is not stored in the blueprint or config !!
        # so for now, infer the version from the layout
        # requires api 3.6.2 to get "layouts" from /options/versions
        if default_layout_value && default_version_value.to_s.empty?
          available_versions.each do |available_version|
            if available_version["layouts"]
              selected_layout = available_version["layouts"].find {|it| it["value"].to_s == default_layout_value.to_s || it["id"].to_s == default_layout_value.to_s || it["code"].to_s == default_layout_value.to_s }
              if selected_layout
                default_version_value = available_version["value"]
                break
              end
            end
          end
        end

        # do not require version if a layout is passed
        version_value = default_version_value
        version_is_required = default_layout_value.nil?
        if default_layout_value.nil? && options[:options]["layout"].nil? && options[:always_prompt] != true
          version_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'version', 'type' => 'select', 'fieldLabel' => 'Version', 'selectOptions' => available_versions, 'required' => version_is_required, 'skipSingleOption' => true, 'autoPickOption' => true, 'description' => 'Select which version of the instance type to be provisioned.', 'defaultValue' => default_version_value}],options[:options],api_client,{groupId: group_id, cloudId: cloud_id, instanceTypeId: instance_type['id']})
          version_value = version_prompt['version']
        end
      end
      layout_id = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'layout', 'type' => 'select', 'fieldLabel' => 'Layout', 'optionSource' => 'layoutsForCloud', 'required' => true, 'description' => 'Select which configuration of the instance type to be provisioned.', 'defaultValue' => default_layout_value}],options[:options],api_client,{groupId: group_id, cloudId: cloud_id, instanceTypeId: instance_type['id'], version: version_value, creatable: true}, no_prompt, true)['layout']
    end
  end

  # determine layout and provision_type

  # layout = find_instance_type_layout_by_id(instance_type['id'], layout_id.to_i)
  layout = (instance_type['instanceTypeLayouts'] || []).find {|it| 
    it['id'].to_s == layout_id.to_s || it['code'].to_s == layout_id.to_s || it['name'].to_s == layout_id.to_s
  }
  if !layout
    print_red_alert "Layout not found by id #{layout_id}"
    exit 1
  end
  layout_id = layout['id']
  payload['instance']['layout'] = {'id' => layout['id'], 'code' => layout['code']}

  # need to GET provision type for optionTypes, and other settings...
  provision_type_code = layout['provisionTypeCode'] || layout['provisionType']['code']
  provision_type = nil
  if provision_type_code
    provision_type = provision_types_interface.list({code:provision_type_code})['provisionTypes'][0]
    if provision_type.nil?
      print_red_alert "Provision Type not found by code #{provision_type_code}"
      exit 1
    end
  else
    provision_type = get_provision_type_for_zone_type(cloud['zoneType']['id'])
  end

  # build config option types
  option_type_list = []
  if !layout['optionTypes'].nil? && !layout['optionTypes'].empty?
    option_type_list += layout['optionTypes']
  end
  if !instance_type['optionTypes'].nil? && !instance_type['optionTypes'].empty?
    option_type_list += instance_type['optionTypes']
  end

  api_params = {groupId: group_id, cloudId: cloud_id, zoneId: cloud_id, instanceTypeId: instance_type['id'], version: version_value}

  pool_id = nil
  resource_pool = nil
  service_plan = nil

  prompt_service_plan = -> {
    service_plans_json = instances_interface.service_plans({zoneId: cloud_id, layoutId: layout['id'], siteId: group_id}.merge(resource_pool.nil? ? {} : {'poolId' => resource_pool['id'], 'resourcePoolId' => resource_pool['id']}))
    service_plans = service_plans_json["plans"]
    if locked_fields.include?('plan.id')
      plan_id = options[:options]['plan']['id'] rescue nil
      if plan_id.nil?
        plan_id = options[:options]['instance']['plan']['id'] rescue nil
      end
      service_plan = service_plans.find {|sp| sp['id'] == plan_id }
    else
      service_plan = service_plans.find {|sp| sp['id'] == options[:service_plan].to_i} if options[:service_plan]

      if !service_plan
        service_plans_dropdown = service_plans.collect {|sp| {'name' => sp["name"], 'value' => sp["id"], 'code' => sp['code']} } # already sorted
        default_plan = nil
        if payload['plan']
          default_plan = payload['plan']
        elsif payload['instance'] && payload['instance']['plan']
          default_plan = payload['instance']['plan']
        end

        if options[:default_plan] && service_plans_dropdown.find {|sp| [sp["name"], sp["value"].to_s, sp["code"]].include?(options[:default_plan].to_s)}
          default_plan_value = options[:default_plan]
        else
          default_plan_value = options[:default_plan] || (default_plan.is_a?(Hash) ? default_plan['id'] : default_plan)
        end
        plan_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'servicePlan', 'type' => 'select', 'fieldLabel' => 'Plan', 'selectOptions' => service_plans_dropdown, 'required' => true, 'description' => 'Choose the appropriately sized plan for this instance', 'defaultValue' => default_plan_value}],options[:options], api_client, {}, no_prompt, true)
        plan_id = plan_prompt['servicePlan']
        service_plan = service_plans.find {|sp| sp["id"] == plan_id.to_i }
        if !service_plan
          print_red_alert "Plan not found by id #{plan_id}"
          exit 1
        end
      end
      #todo: consolidate these, instances api looks for instance.plan.id and apps looks for plan.id
      if options[:for_app]
        payload['plan'] = {'id' => service_plan["id"], 'code' => service_plan["code"], 'name' => service_plan["name"]}
      else
        payload['instance']['plan'] = {'id' => service_plan["id"], 'code' => service_plan["code"], 'name' => service_plan["name"]}
      end
    end
  }

  prompt_resource_pool = -> {
    # prompt for resource pool
    if locked_fields.include?('config.resourcePoolId')
      pool_id = payload['config']['resourcePoolId'] rescue nil
    elsif locked_fields.include?('config.resourcePool')
      pool_id = payload['config']['resourcePool'] rescue nil
    elsif locked_fields.include?('config.azureResourceGroupId')
      pool_id = payload['config']['azureResourceGroupId'] rescue nil
    else
      has_zone_pools = provision_type && provision_type["id"] && provision_type["hasZonePools"]
      if has_zone_pools
        # pluck out the resourcePoolId option type to prompt for
        resource_pool_option_type = option_type_list.find {|opt| ['poolId','resourcePool','resourcePoolId','azureResourceGroupId'].include?(opt['fieldName']) }
        option_type_list = option_type_list.reject {|opt| ['poolId','resourcePool','resourcePoolId','azureResourceGroupId'].include?(opt['fieldName']) }

        resource_pool_options = options_interface.options_for_source('zonePools', {groupId: group_id, siteId: group_id, zoneId: cloud_id, cloudId: cloud_id, instanceTypeId: instance_type['id'], layoutId: layout["id"]}.merge(service_plan.nil? ? {} : {planId: service_plan["id"]}))['data']
        if options[:resource_pool]
          resource_pool = resource_pool_options.find {|opt| opt['value'] == options[:resource_pool].to_s || opt['value'] == "pool-#{options[:resource_pool]}"}
        end
        pool_required = provision_type["zonePoolRequired"]
        # Should pool_id have the pool-,poolGroup- prefix or not?
        use_pool_prefix = resource_pool_options.find {|opt| opt['value'].to_s.include?("pool") }
        if resource_pool
          pool_id = resource_pool['id'] # id or value?
        else
          if options[:default_resource_pool]
            default_resource_pool = resource_pool_options.find {|rp| rp['id'] == options[:default_resource_pool]}
          end
          if use_pool_prefix && options[:options]['config'] && options[:options]['config']['resourcePoolId'] && !options[:options]['config']['resourcePoolId'].to_s.include?("pool")
            options[:options]['config']['resourcePoolId'] = "pool-" + options[:options]['config']['resourcePoolId'].to_s
          end
          resource_pool_option_type ||= {'fieldContext' => 'config', 'fieldName' => 'resourcePoolId', 'type' => 'select', 'fieldLabel' => 'Resource Pool', 'selectOptions' => resource_pool_options, 'required' => pool_required, 'skipSingleOption' => true, 'description' => 'Select resource pool.', 'defaultValue' => default_resource_pool ? default_resource_pool['name'] : nil}
          resource_pool_prompt = Morpheus::Cli::OptionTypes.prompt([resource_pool_option_type],options[:options],api_client,{}, no_prompt, true)
          resource_pool_prompt.deep_compact!
          payload.deep_merge!(resource_pool_prompt)
          resource_pool = Morpheus::Cli::OptionTypes.get_last_select()
          if resource_pool_option_type['fieldContext'] && resource_pool_prompt[resource_pool_option_type['fieldContext']]
            pool_id = resource_pool_prompt[resource_pool_option_type['fieldContext']][resource_pool_option_type['fieldName']]
          elsif resource_pool_prompt[resource_pool_option_type['fieldName']]
            pool_id = resource_pool_prompt[resource_pool_option_type['fieldName']]
          end
          resource_pool ||= resource_pool_options.find {|it| it['value'].to_s == pool_id.to_s}
        end
      end
    end
  }

  prompt_provision_options = -> {
    if !provision_type.nil? && !provision_type['optionTypes'].nil? && !provision_type['optionTypes'].empty?
      option_type_list += provision_type['optionTypes'].reject {|it| (it['fieldGroup'] || '').downcase == 'provisiontype'}
      provision_config_payload = Morpheus::Cli::OptionTypes.prompt(provision_type['optionTypes'].reject {|it| (it['fieldGroup'] || '').downcase != 'provisiontype'}, options[:options], @api_client, api_params, no_prompt, true)
      payload.deep_merge!(provision_config_payload)
    end
  }

  if ['openstack', 'huawei', 'opentelekom'].include?(cloud_type['zoneType']['code'])
    prompt_resource_pool.call
    prompt_provision_options.call
    prompt_service_plan.call
  else
    prompt_service_plan.call
    prompt_provision_options.call
    prompt_resource_pool.call
  end

  # remove host selection for kubernetes
  if resource_pool
    payload['config']['poolProviderType'] = resource_pool['providerType'] if resource_pool['providerType']
    if resource_pool['providerType'] == 'kubernetes'
      option_type_list = option_type_list.reject {|opt| ['provisionServerId'].include?(opt['fieldName'])}
    end

    # add selectable datastores for resource pool
    if options[:select_datastore]
      begin
        selectable_datastores = datastores_interface.list({'zoneId' => cloud_id, 'siteId' => group_id, 'poolId' => resource_pool['id'], 'resourcePoolId' => resource_pool['id']})
        service_plan['datastores'] = {'clusters' => [], 'datastores' => []}
        ['clusters', 'datastores'].each do |type|
          service_plan['datastores'][type] ||= []
          selectable_datastores[type].reject { |ds| service_plan['datastores'][type].find {|it| it['id'] == ds['id']} }.each { |ds|
            service_plan['datastores'][type] << ds
          }
        end
      rescue => error
        Morpheus::Logging::DarkPrinter.puts "Unable to load available data-stores, using datastores option source instead." if Morpheus::Logging.debug?
      end

      if provision_type && provision_type['supportsAutoDatastore']
        service_plan['supportsAutoDatastore'] = true
        service_plan['autoOptions'] ||= []
        if service_plan['datastores'] && service_plan['datastores']['clusters']
          if service_plan['datastores']['clusters'].count > 0 && !service_plan['autoOptions'].find {|it| it['id'] == 'autoCluster'}
            service_plan['autoOptions'] << {'id' => 'autoCluster', 'name' => 'Auto - Cluster'}
          end
        else
          service_plan['autoOptions'] << {'id' => 'autoCluster', 'name' => 'Auto - Cluster'}
        end
        if service_plan['datastores'] && service_plan['datastores']['datastores']
          if service_plan['datastores']['datastores'].count > 0 && !service_plan['autoOptions'].find {|it| it['id'] == 'auto'}
            service_plan['autoOptions'] << {'id' => 'auto', 'name' => 'Auto - Datastore'}
          end
        else
          service_plan['autoOptions'] << {'id' => 'auto', 'name' => 'Auto - Datastore'}
        end
      end
    end
  end

  # plan_info has this property already..
  # has_datastore = provision_type && provision_type["id"] && provision_type["hasDatastore"]
  # service_plan['hasDatastore'] = has_datastore

  # set root volume name if has mounts
  mounts = (layout['mounts'] || []).reject {|it| !it['canPersist']}
  if mounts.count > 0
    options[:root_volume_name] = mounts[0]['shortName']
  end

  # prompt for volumes
  if locked_fields.include?('volumes')
    payload['volumes'] = options[:options]['volumes'] if options[:options]['volumes']
  else
    volumes = prompt_volumes(service_plan, provision_type, options, api_client, {zoneId: cloud_id, layoutId: layout['id'], siteId: group_id})
    if !volumes.empty?
      payload['volumes'] = volumes
    end
  end

  # plan customizations
  plan_opts = prompt_service_plan_options(service_plan, options, api_client, {zoneId: cloud_id, layoutId: layout['id'], siteId: group_id})
  if plan_opts && !plan_opts.empty?
    payload['servicePlanOptions'] = plan_opts
  end

  # prompt networks
  if locked_fields.include?('networks')
    # payload['networkInterfaces'] = options[:options]['networkInterfaces'] if options[:options]['networkInterfaces']
  else
    if provision_type && provision_type["hasNetworks"]
      # prompt for network interfaces (if supported)
      begin
        network_interfaces = prompt_network_interfaces(cloud_id, provision_type["id"], pool_id, options.merge({:api_params => payload['config']}))
        if !network_interfaces.empty?
          payload['networkInterfaces'] = network_interfaces
        end
      rescue RestClient::Exception => e
        print yellow,"Unable to load network options. Proceeding...",reset,"\n"
        print_rest_exception(e, options) if Morpheus::Logging.debug?
      end
    end
  end

  # Security Groups
  # look for securityGroups option type... this is old and goofy
  sg_option_type = option_type_list.find {|opt| ((opt['code'] == 'provisionType.amazon.securityId') || (opt['fieldName'] == 'securityId' || opt['name'] == 'securityId')) }
  option_type_list = option_type_list.reject {|opt| ((opt['code'] == 'provisionType.amazon.securityId') || (opt['fieldName'] == 'securityId' || opt['name'] == 'securityId')) }
  if locked_fields.include?('securityGroups')
    # payload['securityGroups'] = options[:options]['securityGroups'] if options[:options]['securityGroups']
  else
    # prompt for multiple security groups
    # ok.. seed data has changed and serverTypes do not have this optionType anymore...
    if sg_option_type.nil?
      if provision_type && (provision_type["code"] == 'amazon')
          sg_option_type = {'fieldContext' => 'config', 'fieldName' => 'securityId', 'type' => 'select', 'fieldLabel' => 'Security Group', 'optionSource' => 'amazonSecurityGroup', 'optionSourceType' => 'amazon', 'required' => true, 'description' => 'Select security group.', 'defaultValue' => options[:default_security_group]}
      end
    end
    sg_api_params = {zoneId: cloud_id, poolId: pool_id}
    # The amazon plugin uses a new optionSource options/amazon/awsPluginEc2SecurityGroup 
    # which expects parameter config.resourcePoolId=pool-ID
    if sg_option_type
      if sg_option_type['optionSource'] == 'awsPluginEc2SecurityGroup'
        if pool_id
          sg_api_params[:config] ||= {}
          sg_api_params[:config][:resourcePoolId] = pool_id
        end
        # convert multiSelect to select to make prompt_security_groups() work
        # though we should should be able to skip the prompt_security_groups and use multiSelect instead
        sg_option_type['type'] = 'select' if sg_option_type['type'] == 'multiSelect'
        sg_option_type['type'] = 'typeahead' if sg_option_type['type'] == 'multiTypeahead'
        sg_option_type['fieldLabel'] = 'Security Group' if sg_option_type['fieldLabel'] == 'Security Groups'
        sg_option_type['required'] = true
      end
    end
    has_security_groups = !!sg_option_type
    if options[:security_groups]
      available_security_groups = []
      if sg_option_type && sg_option_type['optionSource']
        sg_option_results = options_interface.options_for_source(sg_option_type['optionSource'], sg_api_params, sg_option_type['optionSourceType'])
        available_security_groups = sg_option_results['data'].collect do |it|
          {"id" => it["value"] || it["id"], "name" => it["name"], "value" => it["value"] || it["id"]}
        end
      end
      # work with id or names, API expects ids though.
      payload['securityGroups'] = options[:security_groups].collect {|sg_id| 
        found_sg = available_security_groups.find {|it| sg_id && (sg_id.to_s == it['id'].to_s || sg_id.to_s == it['name'].to_s) }
        if found_sg.nil?
          print_red_alert "Security group not found by name or id '#{sg_id}'"
          exit 1
        end
        {'id' => found_sg['id']}
      }

    elsif has_security_groups
      do_prompt_sg = true
      if options[:default_security_groups]
        payload['securityGroups'] = options[:default_security_groups]
        security_groups_value = options[:default_security_groups].collect {|sg| sg['id'] }.join(',') rescue options[:default_security_groups]
        # do_prompt_sg = (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Modify security groups? (#{security_groups_value})", {:default => false}))
        do_prompt_sg = (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Modify security groups?", {:default => false}))
      end
      if do_prompt_sg
        security_groups_array = prompt_security_groups(sg_option_type, sg_api_params, options)
        if !security_groups_array.empty?
          payload['securityGroups'] = security_groups_array.collect {|sg_id| {'id' => sg_id} }
        end
      end
    end
  end

  # prompt for option types
  api_params['config'] = payload['config'] if payload['config']
  api_params['poolId'] = payload['config']['resourcePoolId'] if payload['config'] && payload['config']['resourcePoolId']
  api_params['resourcePoolId'] = api_params['poolId']
  # some option sources expect networkIntefaces passed as networkInterfaceIds[] eg. oraclecloudAvailabilityDomains
  if payload['networkInterfaces']
    begin
      api_params['networkInterfaceIds[]'] = payload['networkInterfaces'].collect {|it| it['network']['id'] }
    rescue => netex
      Morpheus::Logging::DarkPrinter.puts "Unable to parse networkInterfaces parameter" if Morpheus::Logging.debug?
    end
  end

  # set option type defaults from config
  if options[:default_config]
    options[:default_config].each do |k,v|
      if v && !(v.kind_of?(Array) && v.empty?)
        option_type = option_type_list.find {|ot| ot['fieldContext'] == 'config' && ot['fieldName'] == k}
        option_type['defaultValue'] = v if option_type
      end
    end
  end

  option_type_list += [
    {'fieldName' => 'userGroup.id', 'fieldLabel' => 'User Group', 'fieldGroup' => 'User Config', 'type' => 'select', 'optionSource' => 'userGroups', 'displayOrder' => 0, 'fieldContext' => 'instance'},
    {'fieldName' => 'hostName', 'fieldLabel' => 'Hostname', 'fieldGroup' => 'Advanced', 'type' => 'string', 'displayOrder' => 1},
    {'fieldName' => 'networkDomain.id', 'fieldLabel' => 'Domain', 'fieldGroup' => 'Advanced', 'type' => 'select', 'optionSource' => 'networkDomains', 'displayOrder' => 2, 'fieldContext' => 'instance'},
    {'fieldName' => 'timezone', 'fieldLabel' => 'Time Zone', 'fieldGroup' => 'Advanced', 'type' => 'select', 'optionSource' => 'timezones', 'displayOrder' => 3, 'fieldContext' => 'config'}
  ]

  if instance_type['hasAutoScale']
    option_type_list += [
      {'fieldName' => 'layoutSize', 'fieldLabel' => 'Scale Factor', 'fieldGroup' => 'Advanced', 'type' => 'number', 'defaultValue' => 1, 'displayOrder' => 0},
    ]
  end

  instance_config_payload = Morpheus::Cli::OptionTypes.prompt(option_type_list.reject {|ot| ot['type'] == 'exposedPorts'}, options[:options], @api_client, api_params, no_prompt, true)
  payload.deep_merge!(instance_config_payload)

  # prompt for exposed ports
  if payload['ports'].nil?
    # need a way to know if the instanceType even supports this.
    # the default ports come from the node type, under layout['containerTypes']
    ports = prompt_exposed_ports(options)
    if !ports.empty?
      payload['ports'] = ports
    end
  end

  # prompt for environment variables
  evars = prompt_evars(options)
  if !evars.empty?
    payload['evars'] = evars
  end

  # metadata tags
  # metadata_tag_key = 'metadata'
   = 'tags'
  if !options[:metadata]
    if options[:options]['metadata'].is_a?(Array)
      options[:metadata] = options[:options]['metadata']
    end
    if options[:options]['tags'].is_a?(Array)
      options[:metadata] = options[:options]['tags']
    end
  end
  if options[:metadata]
     = []
    if options[:metadata] == "[]" || options[:metadata] == "null"
       = []
    elsif options[:metadata].is_a?(Array)
       = options[:metadata]
    else
      # parse string into format name:value, name:value
      # merge IDs from current metadata
      # todo: should allow quoted semicolons..
       = options[:metadata].split(",").select {|it| !it.to_s.empty? }
       = .collect do |it|
         = it.split(":")
        if .size < 2 && it.include?("=")
           = it.split("=")
        end
        row = {}
        row['name'] = [0].to_s.strip
        row['value'] = [1].to_s.strip
        row
      end
    end
    payload[] = 
  else
    # prompt for metadata tags
     = (options)
    if !.empty?
      payload[] = 
    end
  end

  return payload
end

#prompt_permissions(options, excludes = []) ⇒ Object



2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2024

def prompt_permissions(options, excludes = [])
  all_groups = nil
  group_access = nil
  all_plans = nil
  plan_access = nil
  permissions = {}

  # Group Access
  unless excludes.include?('groups')
    if !options[:groupAccessAll].nil?
      all_groups = options[:groupAccessAll]
    end

    if !options[:groupAccessList].empty?
      group_access = options[:groupAccessList].collect {|site_id| 
        found_group = find_group_by_name_or_id_for_provisioning(site_id)
        return 1, "group not found by #{site_id}" if found_group.nil?
        {'id' => found_group['id']}
      } || []
    elsif !options[:no_prompt] && !all_groups
      available_groups = options[:available_groups] || get_available_groups

      if available_groups.empty?
        #print_red_alert "No available groups"
        #exit 1
      elsif available_groups.count > 1
        available_groups.unshift({"id" => '0', "name" => "All", "value" => "all"})

        # default to all
        group_id = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'group', 'type' => 'select', 'fieldLabel' => 'Group Access', 'selectOptions' => available_groups, 'required' => false, 'description' => 'Add Group Access.'}], options[:options], @api_client, {})['group']

        if !group_id.nil?
          if group_id == 'all'
            all_groups = true
          else
            group_access = (excludes.include?('groupDefaults') ? [{'id' => group_id}] : [{'id' => group_id, 'default' => Morpheus::Cli::OptionTypes.confirm("Set '#{available_groups.find{|it| it['value'] == group_id}['name']}' as default?", {:default => false})}])
          end
          available_groups = available_groups.reject {|it| it['value'] == group_id}

          while !group_id.nil? && !available_groups.empty? && Morpheus::Cli::OptionTypes.confirm("Add another group access?", {:default => false})
            group_id = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'group', 'type' => 'select', 'fieldLabel' => 'Group Access', 'selectOptions' => available_groups, 'required' => false, 'description' => 'Add Group Access.'}], options[:options], @api_client, {})['group']

            if !group_id.nil?
              if group_id == 'all'
                all_groups = true
              else
                group_access ||= []
                group_access << (excludes.include?('groupDefaults') ? {'id' => group_id} : {'id' => group_id, 'default' => Morpheus::Cli::OptionTypes.confirm("Set '#{available_groups.find{|it| it['value'] == group_id}['name']}' as default?", {:default => false})})
              end
              available_groups = available_groups.reject {|it| it['value'] == group_id}
            end
          end
        end
      end
    end
  end

  # Plan Access
  unless excludes.include?('plans')
    if !options[:planAccessAll].nil?
      all_plans = options[:planAccessAll]
    end

    if !options[:planAccessList].empty?
      plan_access = options[:planAccessList].collect {|plan_id| {'id' => plan_id.to_i}}
    elsif !options[:no_prompt]
      available_plans = options[:available_plans] || get_available_plans

      if available_plans.empty?
        #print_red_alert "No available plans"
        #exit 1
      elsif !available_plans.empty? && !options[:no_prompt]
        available_plans.unshift({"id" => '0', "name" => "All", "value" => "all"})

        # default to all
        plan_id = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'plan', 'type' => 'select', 'fieldLabel' => 'Service Plan Access', 'selectOptions' => available_plans, 'required' => false, 'description' => 'Add Service Plan Access.'}], options[:options], @api_client, {})['plan']

        if !plan_id.nil?
          if plan_id == 'all'
            all_plans = true
          else
            plan_access = [{'id' => plan_id, 'default' => Morpheus::Cli::OptionTypes.confirm("Set '#{available_plans.find{|it| it['value'] == plan_id}['name']}' as default?", {:default => false})}]
          end

          available_plans = available_plans.reject {|it| it['value'] == plan_id}

          while !plan_id.nil? && !available_plans.empty? && Morpheus::Cli::OptionTypes.confirm("Add another service plan access?", {:default => false})
            plan_id = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'plan', 'type' => 'select', 'fieldLabel' => 'Service Plan Access', 'selectOptions' => available_plans, 'required' => false, 'description' => 'Add Service Plan Access.'}], options[:options], @api_client, {})['plan']

            if !plan_id.nil?
              if plan_id == 'all'
                all_plans = true
              else
                plan_access ||= []
                plan_access << {'id' => plan_id, 'default' => Morpheus::Cli::OptionTypes.confirm("Set '#{available_plans.find{|it| it['value'] == plan_id}['name']}' as default?", {:default => false})}
              end
              available_plans = available_plans.reject {|it| it['value'] == plan_id}
            end
          end
        end
      end
    end
  end

  unless excludes.include?('resource')
    resource_perms = {}
    resource_perms['all'] = all_groups if !all_groups.nil?
    resource_perms['sites'] = group_access if !group_access.nil?
    resource_perms['allPlans'] = all_plans if !all_plans.nil?
    resource_perms['plans'] = plan_access if !plan_access.nil?
    permissions['resourcePermissions'] = resource_perms
  end

  available_accounts = get_available_accounts() #.collect {|it| {'name' => it['name'], 'value' => it['id']}}
  accounts = []

  # Prompts for multi tenant
  if available_accounts.count > 1
    visibility = options[:visibility]
    unless excludes.include?('visibility')
      if !visibility && !options[:no_prompt]
        visibility = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'visibility', 'fieldLabel' => 'Tenant Permissions Visibility', 'type' => 'select', 'defaultValue' => 'private', 'required' => true, 'selectOptions' => [{'name' => 'Private', 'value' => 'private'},{'name' => 'Public', 'value' => 'public'}]}], options[:options], @api_client, {})['visibility']
      end
      permissions['resourcePool'] = {'visibility' => visibility} if visibility
    end

    # Tenants
    unless excludes.include?('tenants')
      if !options[:tenants].nil?
        accounts = options[:tenants].collect {|id| id.to_i}
      elsif !options[:no_prompt]
         = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'account', 'type' => 'select', 'fieldLabel' => 'Add Tenant', 'selectOptions' => available_accounts, 'required' => false, 'description' => 'Add Tenant Permissions.'}], options[:options], @api_client, {})['account']

        if !.nil?
          accounts << 
          available_accounts = available_accounts.reject {|it| it['value'] == }

          while !available_accounts.empty? && ( = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'account', 'type' => 'select', 'fieldLabel' => 'Add Another Tenant', 'selectOptions' => available_accounts, 'required' => false, 'description' => 'Add Tenant Permissions.'}], options[:options], @api_client, {})['account'])
            if !.nil?
              accounts << 
              available_accounts = available_accounts.reject {|it| it['value'] == }
            end
          end
        end
      end
      permissions['tenantPermissions'] = {'accounts' => accounts}
    end
  end
  permissions
end

#prompt_permissions_v2(options, excludes = []) ⇒ Object



2175
2176
2177
2178
2179
2180
2181
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2175

def prompt_permissions_v2(options, excludes = [])
  perms = prompt_permissions(options, excludes)
  rtn = {}
  rtn['visibility'] = perms['resourcePool']['visibility'] if !perms['resourcePool'].nil? && !excludes.include?('visibility')
  rtn['tenants'] = ((perms['tenantPermissions'] || {})['accounts'] || []).collect {|it| {'id' => it}}
  rtn
end

#prompt_resize_volumes(current_volumes, plan_info, provision_type, options = {}) ⇒ Object

This recreates the behavior of multi_disk.js returns array of volumes based on service plan options (plan_info)



1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 1300

def prompt_resize_volumes(current_volumes, plan_info, provision_type, options={})
#puts "Configure Volumes:"
no_prompt = (options[:no_prompt] || (options[:options] && options[:options][:no_prompt]))

current_root_volume = current_volumes[0]

volumes = []

plan_size = nil
if plan_info['maxStorage']
  plan_size = plan_info['maxStorage'].to_i / (1024 * 1024 * 1024)
end

root_storage_types = []
if plan_info['rootStorageTypes']
  plan_info['rootStorageTypes'].each do |opt|
    if !opt.nil?
      root_storage_types << {'name' => opt['name'], 'value' => opt['id']}
    end
  end
end

storage_types = []
if plan_info['storageTypes']
  plan_info['storageTypes'].each do |opt|
    if !opt.nil?
      storage_types << {'name' => opt['name'], 'value' => opt['id']}
    end
  end
end

datastore_options = []
if plan_info['supportsAutoDatastore']
  if plan_info['autoOptions']
    plan_info['autoOptions'].each do |opt|
      if !opt.nil?
        datastore_options << {'name' => opt['name'], 'value' => opt['id']}
      end
    end
  end
end
if plan_info['datastores']
  plan_info['datastores'].each do |k, v|
    v.each do |opt|
      if !opt.nil?
        datastore_options << {'name' => "#{k}: #{opt['name']}", 'value' => opt['id']}
      end
    end
  end
end

#puts "Configure Root Volume"

field_context = "rootVolume"

if root_storage_types.empty?
  # this means there's no configuration, just send a single root volume to the server
  storage_type_id = nil
  storage_type = nil
else
  #v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'storageType', 'type' => 'select', 'fieldLabel' => 'Root Storage Type', 'selectOptions' => root_storage_types, 'required' => true, 'defaultFirstOption' => true, 'skipSingleOption' => true, 'description' => 'Choose a storage type.'}], options[:options])
  #storage_type_id = v_prompt[field_context]['storageType']
  storage_type_id = current_root_volume['type'] || current_root_volume['storageType']
  storage_type = plan_info['storageTypes'].find {|i| i['id'] == storage_type_id.to_i }
end

# sometimes the user chooses sizeId from a list of size options (AccountPrice) and other times it is free form
root_custom_size_options = []
if plan_info['rootCustomSizeOptions'] && plan_info['rootCustomSizeOptions'][storage_type_id.to_s]
  plan_info['rootCustomSizeOptions'][storage_type_id.to_s].each do |opt|
    if !opt.nil?
      root_custom_size_options << {'name' => opt['value'], 'value' => opt['key']}
    end
  end
end

volume = {
  'id' => current_root_volume['id'],
  'rootVolume' => true,
  'name' => current_root_volume['name'],
  'size' => current_root_volume['size'] > 0 ? current_root_volume['size'] : plan_size,
  'sizeId' => nil,
  'storageType' => storage_type_id,
  'datastoreId' => current_root_volume['datastoreId']
}

if plan_info['rootDiskCustomizable'] && storage_type && storage_type['customLabel']
  v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'name', 'type' => 'text', 'fieldLabel' => 'Root Volume Label', 'required' => true, 'description' => 'Enter a volume label.', 'defaultValue' => volume['name']}], options[:options])
  volume['name'] = v_prompt[field_context]['name']
end
if plan_info['rootDiskCustomizable'] && storage_type && storage_type['customSize']
  # provision_type['rootDiskSizeKnown'] == false means size cannot be changed
  if provision_type['rootDiskSizeKnown'] == false
    # volume['size'] = plan_size if plan_size.to_i != 0
  else
    if root_custom_size_options.empty?
      v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'size', 'type' => 'number', 'fieldLabel' => 'Root Volume Size (GB)', 'required' => true, 'description' => 'Enter a volume size (GB).', 'defaultValue' => volume['size']}], options[:options])
      volume['size'] = v_prompt[field_context]['size']
      volume['sizeId'] = nil #volume.delete('sizeId')
    else
      v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'sizeId', 'type' => 'select', 'fieldLabel' => 'Root Volume Size', 'selectOptions' => root_custom_size_options, 'required' => true, 'description' => 'Choose a volume size.'}], options[:options])
      volume['sizeId'] = v_prompt[field_context]['sizeId']
      volume['size'] = nil #volume.delete('size')
    end
  end
else
  # might need different logic here ? =o
  # volume['size'] = plan_size
  # volume['sizeId'] = nil #volume.delete('sizeId')
end
# if !datastore_options.empty?
#   v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'datastoreId', 'type' => 'select', 'fieldLabel' => 'Root Datastore', 'selectOptions' => datastore_options, 'required' => true, 'description' => 'Choose a datastore.'}], options[:options])
#   volume['datastoreId'] = v_prompt[field_context]['datastoreId']
# end

volumes << volume

# modify or delete existing data volumes
(1..(current_volumes.size-1)).each do |volume_index|
  current_volume = current_volumes[volume_index]
  if current_volume

    field_context = "dataVolume#{volume_index}"

    action_options = [{'name' => 'Modify', 'value' => 'modify'}, {'name' => 'Keep', 'value' => 'keep'}, {'name' => 'Delete', 'value' => 'delete'}]
    v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'action', 'type' => 'select', 'fieldLabel' => "Modify/Keep/Delete volume '#{current_volume['name']}'", 'selectOptions' => action_options, 'required' => true, 'defaultValue' => 'keep', 'description' => 'Modify, Keep or Delete existing data volume?'}], options[:options])
    volume_action = v_prompt[field_context]['action']

    if volume_action == 'delete'
      # deleted volume is just excluded from post params
      next
    elsif volume_action == 'keep'
      volume = {
        'id' => current_volume['id'].to_i,
        'rootVolume' => false,
        'name' => current_volume['name'],
        'size' => current_volume['size'] > (plan_size || 0) ? current_volume['size'] : plan_size,
        'sizeId' => nil,
        'storageType' => (current_volume['type'] || current_volume['storageType']),
        'datastoreId' => current_volume['datastoreId']
      }
      volumes << volume
    else
      # v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'storageType', 'type' => 'select', 'fieldLabel' => "Disk #{volume_index} Storage Type", 'selectOptions' => storage_types, 'required' => true, 'skipSingleOption' => true, 'description' => 'Choose a storage type.'}], options[:options])
      # storage_type_id = v_prompt[field_context]['storageType']
      storage_type_id = current_volume['type'] || current_volume['storageType']
      storage_type = plan_info['storageTypes'].find {|i| i['id'] == storage_type_id.to_i }
      # sometimes the user chooses sizeId from a list of size options (AccountPrice) and other times it is free form
      custom_size_options = []
      if plan_info['customSizeOptions'] && plan_info['customSizeOptions'][storage_type_id.to_s]
        plan_info['customSizeOptions'][storage_type_id.to_s].each do |opt|
          if !opt.nil?
            custom_size_options << {'name' => opt['value'], 'value' => opt['key']}
          end
        end
      end

      volume = {
        'id' => current_volume['id'].to_i,
        'rootVolume' => false,
        'name' => current_volume['name'],
        'size' => current_volume['size'] ? current_volume['size'] : (plan_size || 0),
        'sizeId' => nil,
        'storageType' => (current_volume['type'] || current_volume['storageType']),
        'datastoreId' => current_volume['datastoreId']
      }

      if plan_info['customizeVolume'] && storage_type['customLabel']
        v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'name', 'type' => 'text', 'fieldLabel' => "Disk #{volume_index} Volume Label", 'required' => true, 'description' => 'Enter a volume label.', 'defaultValue' => volume['name']}], options[:options])
        volume['name'] = v_prompt[field_context]['name']
      end
      if plan_info['customizeVolume'] && storage_type['customSize']
        if custom_size_options.empty?
          v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'size', 'type' => 'number', 'fieldLabel' => "Disk #{volume_index} Volume Size (GB)", 'required' => true, 'description' => 'Enter a volume size (GB).', 'defaultValue' => volume['size']}], options[:options])
          volume['size'] = v_prompt[field_context]['size']
          volume['sizeId'] = nil #volume.delete('sizeId')
        else
          v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'sizeId', 'type' => 'select', 'fieldLabel' => "Disk #{volume_index} Volume Size", 'selectOptions' => custom_size_options, 'required' => true, 'description' => 'Choose a volume size.'}], options[:options])
          volume['sizeId'] = v_prompt[field_context]['sizeId']
          volume['size'] = nil #volume.delete('size')
        end
      else
        # might need different logic here ? =o
        # volume['size'] = plan_size
        # volume['sizeId'] = nil #volume.delete('sizeId')
      end
      # if !datastore_options.empty?
      #   v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'datastoreId', 'type' => 'select', 'fieldLabel' => "Disk #{volume_index} Datastore", 'selectOptions' => datastore_options, 'required' => true, 'description' => 'Choose a datastore.'}], options[:options])
      #   volume['datastoreId'] = v_prompt[field_context]['datastoreId']
      # end

      volumes << volume

    end

  end
end


if plan_info['addVolumes']
  volume_index = current_volumes.size
  has_another_volume = options[:options] && options[:options]["dataVolume#{volume_index}"]
  add_another_volume = has_another_volume || (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Add data volume?", {:default => false}))
  while add_another_volume do
      #puts "Configure Data #{volume_index} Volume"

      current_root_volume_type = current_root_volume['type']
      storage_type_match = storage_types.find {|type| type['value'] == current_root_volume_type}
      default_storage_type = storage_type_match ? current_root_volume_type : storage_types[0]['value']
      field_context = "dataVolume#{volume_index}"
      v_prompt = Morpheus::Cli::OptionTypes.prompt([{'defaultValue' => default_storage_type, 'fieldContext' => field_context, 'fieldName' => 'storageType', 'type' => 'select', 'fieldLabel' => "Disk #{volume_index} Storage Type", 'selectOptions' => storage_types, 'required' => true, 'defaultFirstOption' => true, 'skipSingleOption' => true, 'description' => 'Choose a storage type.'}], options[:options])
      storage_type_id = v_prompt[field_context]['storageType']
      storage_type = plan_info['storageTypes'].find {|i| i['id'] == storage_type_id.to_i }

      # sometimes the user chooses sizeId from a list of size options (AccountPrice) and other times it is free form
      custom_size_options = []
      if plan_info['customSizeOptions'] && plan_info['customSizeOptions'][storage_type_id.to_s]
        plan_info['customSizeOptions'][storage_type_id.to_s].each do |opt|
          if !opt.nil?
            custom_size_options << {'name' => opt['value'], 'value' => opt['key']}
          end
        end
      end

      volume_label = (volume_index == 1 ? 'data' : "data #{volume_index}")
      volume = {
        'id' => -1,
        'rootVolume' => false,
        'name' => volume_label,
        'size' => plan_size,
        'sizeId' => nil,
        'storageType' => storage_type_id,
        'datastoreId' => nil
      }

      if plan_info['customizeVolume'] && storage_type['customLabel']
        v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'name', 'type' => 'text', 'fieldLabel' => "Disk #{volume_index} Volume Label", 'required' => true, 'description' => 'Enter a volume label.', 'defaultValue' => volume_label}], options[:options])
        volume['name'] = v_prompt[field_context]['name']
      end
      if plan_info['customizeVolume'] && storage_type['customSize']
        if custom_size_options.empty?
          v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'size', 'type' => 'number', 'fieldLabel' => "Disk #{volume_index} Volume Size (GB)", 'required' => true, 'description' => 'Enter a volume size (GB).', 'defaultValue' => plan_size}], options[:options])
          volume['size'] = v_prompt[field_context]['size']
          volume['sizeId'] = nil #volume.delete('sizeId')
        else
          v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'sizeId', 'type' => 'select', 'fieldLabel' => "Disk #{volume_index} Volume Size", 'selectOptions' => custom_size_options, 'required' => true, 'description' => 'Choose a volume size.'}], options[:options])
          volume['sizeId'] = v_prompt[field_context]['sizeId']
          volume['size'] = nil #volume.delete('size')
        end
      else
        # might need different logic here ? =o
        # volume['size'] = plan_size
        # volume['sizeId'] = nil #volume.delete('sizeId')
      end
      
      if datastore_options.empty? && storage_type['hasDatastore'] != false
        begin
          datastore_res = datastores_interface.list({'poolId' => current_root_volume['resourcePoolId'], 'resourcePoolId' => current_root_volume['resourcePoolId'], 'zoneId' => options['zoneId'], 'siteId' => options['siteId']})['datastores']
          datastore_res.each do |opt|
            datastore_options << {'name' => opt['name'], 'value' => opt['id']}
          end
        rescue
          datastore_options = []
        end
      end
      if !datastore_options.empty?
        v_prompt = Morpheus::Cli::OptionTypes.prompt([{'defaultValue' => current_root_volume['datastoreId'],'fieldContext' => field_context, 'fieldName' => 'datastoreId', 'type' => 'select', 'fieldLabel' => "Disk #{volume_index} Datastore", 'selectOptions' => datastore_options, 'required' => true, 'description' => 'Choose a datastore.'}], options[:options])
        volume['datastoreId'] = v_prompt[field_context]['datastoreId']
      end

      volumes << volume

      # todo: should maxDisk check consider the root volume too?
      if plan_info['maxDisk'] && volume_index >= plan_info['maxDisk']
        add_another_volume = false
      else
        volume_index += 1
        has_another_volume = options[:options] && options[:options]["dataVolume#{volume_index}"]
        add_another_volume = has_another_volume || (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Add another data volume?"))
      end

    end

  end

  return volumes
end

#prompt_security_groups(sg_option_type, api_params, options) ⇒ Object



1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 1860

def prompt_security_groups(sg_option_type, api_params, options)
  no_prompt = (options[:no_prompt] || (options[:options] && options[:options][:no_prompt]))
  security_groups_array = []
  sg_required = sg_option_type['required']
  sg_index = 0
  add_another_sg = sg_required || (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Add a security group?", {default: false}))
  while add_another_sg do
    cur_sg_option_type = sg_option_type.merge({'required' => (sg_index == 0 ? sg_required : false)})
    if sg_index == 0 && !options[:default_security_group].nil?
      cur_sg_option_type['defaultValue'] = options[:default_security_group]
    end
    field_context = cur_sg_option_type['fieldContext']
    field_name = cur_sg_option_type['fieldName']
    v_prompt = Morpheus::Cli::OptionTypes.prompt([cur_sg_option_type], options[:options], api_client, api_params)
    has_another_sg = false
    if field_context
      if v_prompt[field_context] && !v_prompt[field_context][field_name].to_s.empty?
        security_groups_array << v_prompt[field_context][field_name]
      end
      has_another_sg = options[:options] && options[:options][field_context] && options[:options][field_context]["#{field_name}#{sg_index+2}"]
    else
      if !v_prompt[field_name].to_s.empty?
        security_groups_array << v_prompt[field_name]
      end
      has_another_sg = options[:options] && options[:options]["#{field_name}#{sg_index+2}"]
    end
    add_another_sg = has_another_sg || (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Add another security group?", {default: false}))
    sg_index += 1
  end

  return security_groups_array
end

#prompt_service_plan_options(plan_info, options = {}, api_client = nil, api_params = {}, instance = nil) ⇒ Object



2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 2320

def prompt_service_plan_options(plan_info, options={}, api_client=nil, api_params={}, instance=nil)
  plan_opts = {}
  # provisioning with blueprint can lock fields
  locked_fields = options[:locked_fields] || []
  if options[:options]['servicePlanOptions']
    plan_opts = options[:options]['servicePlanOptions']
  end
  default_max_cores = plan_info['maxCores'].to_i != 0 ? plan_info['maxCores'] : 1
  default_cores_per_socket = plan_info['coresPerSocket'].to_i != 0 ? plan_info['coresPerSocket'] : 1
  default_max_memory = plan_info['maxMemory'].to_i != 0 ? plan_info['maxMemory'] : nil
  # use defaults from the instance/server
  if instance
    default_max_cores = instance["maxCores"] if instance["maxCores"]
    default_cores_per_socket = instance["coresPerSocket"] if instance["coresPerSocket"]
    default_max_memory = instance["maxMemory"] if instance["maxMemory"]
  end
  # Core Count
  if plan_info["customCores"]
    if locked_fields.include?('servicePlanOptions.maxCores')
      if options[:options]['servicePlanOptions'] && options[:options]['servicePlanOptions']['maxCores']
        plan_opts['maxCores'] = options[:options]['servicePlanOptions']['maxCores'].to_i
      end
    else
      v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => 'servicePlanOptions', 'fieldName' => 'maxCores', 'type' => 'number', 'fieldLabel' => "Core Count", 'required' => true, 'defaultValue' => default_max_cores, 'description' => "Customize service plan options Core Count"}], options[:options])
      if v_prompt['servicePlanOptions'] && v_prompt['servicePlanOptions']['maxCores']
        plan_opts['maxCores'] = v_prompt['servicePlanOptions']['maxCores'].to_i
      end
    end
  end
  # Cores Per Socket
  if plan_info["customCoresPerSocket"]
    if locked_fields.include?('servicePlanOptions.coresPerSocket')
      if options[:options]['servicePlanOptions'] && options[:options]['servicePlanOptions']['coresPerSocket']
        plan_opts['coresPerSocket'] = options[:options]['servicePlanOptions']['coresPerSocket'].to_i
      end
    else
      v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => 'servicePlanOptions', 'fieldName' => 'coresPerSocket', 'type' => 'number', 'fieldLabel' => "Cores Per Socket", 'required' => true, 'defaultValue' => default_cores_per_socket, 'description' => "Customize service plan options Cores Per Socket"}], options[:options])
      if v_prompt['servicePlanOptions'] && v_prompt['servicePlanOptions']['coresPerSocket']
        plan_opts['coresPerSocket'] = v_prompt['servicePlanOptions']['coresPerSocket'].to_i
      end
    end
  end
  # Memory
  if plan_info["customMaxMemory"]
    if locked_fields.include?('servicePlanOptions.maxMemory')
      if options[:options]['servicePlanOptions'] && options[:options]['servicePlanOptions']['maxMemory']
        plan_opts['maxMemory'] = options[:options]['servicePlanOptions']['maxMemory'].to_i
      end
    else
      if options[:options]['servicePlanOptions'] && options[:options]['servicePlanOptions']['maxMemory']
        plan_opts['maxMemory'] = options[:options]['servicePlanOptions']['maxMemory'].to_i
      else
        # prompt for "memoryMB" field as MB or "memoryGB" in GB
        # always convert maxMemory to bytes
        if plan_info["memorySizeType"] == "MB" || options[:options]["memoryMB"]
          v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'memoryMB', 'type' => 'text', 'fieldLabel' => "Memory (MB)", 'required' => true, 'defaultValue' => default_max_memory ? (default_max_memory / (1024 * 1024)) : nil, 'description' => "Customize service plan options Memory (MB). Value is in megabytes."}], options[:options])
          if v_prompt['memoryMB'].to_s != ""
            plan_opts['maxMemory'] = v_prompt['memoryMB'].to_i * 1024 * 1024
          end
        else
          v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldName' => 'memoryGB', 'type' => 'text', 'fieldLabel' => "Memory (GB)", 'required' => true, 'defaultValue' => default_max_memory ? (default_max_memory / (1024 * 1024 * 1024)) : nil, 'description' => "Customize service plan options Memory (GB). Value is in gigabytes."}], options[:options])
          if v_prompt['memoryGB'].to_s != ""
            plan_opts['maxMemory'] = v_prompt['memoryGB'].to_i * 1024 * 1024 * 1024
          end
        end
        # remove transient memory field just used for prompting for MB or GB
        plan_opts.delete("memoryMB")
        plan_opts.delete("memoryGB")
      end
    end
  end
  return plan_opts
end

#prompt_volumes(plan_info, provision_type, options = {}, api_client = nil, api_params = {}) ⇒ Object

This recreates the behavior of multi_disk.js returns array of volumes based on service plan options (plan_info)



1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 1085

def prompt_volumes(plan_info, provision_type, options={}, api_client=nil, api_params={})
#puts "Configure Volumes:"
# return [] if plan_info['noDisks']

no_prompt = (options[:no_prompt] || (options[:options] && options[:options][:no_prompt]))
volumes = []
plan_size = nil
if plan_info['maxStorage']
  plan_size = plan_info['maxStorage'].to_i / (1024 * 1024 * 1024)
end
root_storage_types = []
if plan_info['rootStorageTypes']
  plan_info['rootStorageTypes'].sort {|x,y| x['displayOrder'] <=> y['displayOrder'] }.each do |opt|
    if !opt.nil?
      root_storage_types << {'name' => opt['name'], 'value' => opt['id']}
    end
  end
end

storage_types = []
if plan_info['storageTypes']
  plan_info['storageTypes'].sort {|x,y| x['displayOrder'] <=> y['displayOrder'] }.each do |opt|
    if !opt.nil?
      storage_types << {'name' => opt['name'], 'value' => opt['id']}
    end
  end
end

datastore_options = []
if plan_info['supportsAutoDatastore']
  if plan_info['autoOptions']
    plan_info['autoOptions'].each do |opt|
      if !opt.nil?
        datastore_options << {'name' => opt['name'], 'value' => opt['id']}
      end
    end
  end
end
if plan_info['datastores']
  plan_info['datastores'].each do |k, v|
    v.each do |opt|
      if !opt.nil?
        k = 'datastores' if k == 'store'
        k = 'clusters' if k == 'cluster'
        datastore_options << {'name' => "#{k}: #{opt['name']}", 'value' => opt['id']}
      end
    end
  end
end
# api does not always return datastores, so go get them if needed..
if plan_info['hasDatastore'] && datastore_options.empty?
  option_results = options_interface.options_for_source('datastores', api_params)
  option_results['data'].each do |it|
      datastore_options << {"id" => it["value"] || it["id"], "name" => it["name"], "value" => it["value"] || it["id"]}
  end
end

#puts "Configure Root Volume"

field_context = "rootVolume"

volume_label = options[:root_volume_name] || 'root'
volume = {
  'id' => -1,
  'rootVolume' => true,
  'name' => volume_label,
  'size' => plan_size,
  'sizeId' => nil,
  'storageType' => nil,
  'datastoreId' => nil
}
if options[:options] && options[:options]['volumes'] && options[:options]['volumes'][0]
  volume = options[:options]['volumes'][0]
end

if root_storage_types.empty?
  # this means there's no configuration, just send a single root volume to the server
  storage_type_id = nil
  storage_type = nil
else
  default_storage_type = root_storage_types.find {|t| t['value'].to_s == volume['storageType'].to_s}
  v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'storageType', 'type' => 'select', 'fieldLabel' => 'Root Storage Type', 'selectOptions' => root_storage_types, 'required' => true, 'defaultFirstOption' => true, 'skipSingleOption' => true, 'description' => 'Choose a storage type.', 'defaultValue' => default_storage_type ? default_storage_type['name'] : volume['storageType']}], options[:options])
  storage_type_id = v_prompt[field_context]['storageType']
  storage_type = plan_info['storageTypes'].find {|i| i['id'] == storage_type_id.to_i }
  volume['storageType'] = storage_type_id
end

# sometimes the user chooses sizeId from a list of size options (AccountPrice) and other times it is free form
root_custom_size_options = []
if plan_info['rootCustomSizeOptions'] && plan_info['rootCustomSizeOptions'][storage_type_id.to_s]
  plan_info['rootCustomSizeOptions'][storage_type_id.to_s].each do |opt|
    if !opt.nil?
      root_custom_size_options << {'name' => opt['value'], 'value' => opt['key']}
    end
  end
end

if plan_info['rootDiskCustomizable'] && storage_type && storage_type['customLabel']
  v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'name', 'type' => 'text', 'fieldLabel' => 'Root Volume Label', 'required' => true, 'description' => 'Enter a volume label.', 'defaultValue' => volume['name']}], options[:options])
  volume['name'] = v_prompt[field_context]['name']
end
if plan_info['rootDiskCustomizable'] && storage_type && storage_type['customSize']
  # provision_type['rootDiskSizeKnown'] == false means size cannot be changed
  if provision_type['rootDiskSizeKnown'] == false
    # volume['size'] = plan_size if plan_size.to_i != 0
  else
    if root_custom_size_options.empty?
      v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'size', 'type' => 'number', 'fieldLabel' => 'Root Volume Size (GB)', 'required' => true, 'description' => 'Enter a volume size (GB).', 'defaultValue' => volume['size']}], options[:options])
      volume['size'] = v_prompt[field_context]['size']
      volume['sizeId'] = nil #volume.delete('sizeId')
    else
      v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'sizeId', 'type' => 'select', 'fieldLabel' => 'Root Volume Size', 'selectOptions' => root_custom_size_options, 'required' => true, 'description' => 'Choose a volume size.', 'defaultValue' => volume['sizeId']}], options[:options])
      volume['sizeId'] = v_prompt[field_context]['sizeId']
      volume['size'] = nil #volume.delete('size')
    end
  end
else
  # might need different logic here ? =o
  #volume['size'] = plan_size
  #volume['sizeId'] = nil #volume.delete('sizeId')
end

if !datastore_options.empty?
  default_datastore = datastore_options.find {|ds| ds['value'].to_s == volume['datastoreId'].to_s}
  v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'datastoreId', 'type' => 'select', 'fieldLabel' => 'Root Datastore', 'selectOptions' => datastore_options, 'required' => true, 'description' => 'Choose a datastore.', 'defaultValue' => default_datastore ? default_datastore['name'] : volume['datastoreId']}], options[:options])
  volume['datastoreId'] = v_prompt[field_context]['datastoreId']
end

volumes << volume

if plan_info['addVolumes']
  volume_index = 1
  has_another_volume = (options[:options] && options[:options]["dataVolume#{volume_index}"]) || (options[:options] && options[:options]['volumes'] && options[:options]['volumes'][volume_index])
  add_another_volume = has_another_volume || (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Add data volume?", {:default => (options[:defaultAddFirstDataVolume] == true && volume_index == 1)}))
  while add_another_volume do
      #puts "Configure Data #{volume_index} Volume"

      field_context = "dataVolume#{volume_index}"

      volume_label = (volume_index == 1 ? 'data' : "data #{volume_index}")
      volume = {
        #'id' => -1,
        'rootVolume' => false,
        'name' => volume_label,
        'size' => plan_size,
        'sizeId' => nil,
        'storageType' => nil,
        'datastoreId' => nil
      }
      if options[:options] && options[:options]['volumes'] && options[:options]['volumes'][volume_index]
        volume = options[:options]['volumes'][volume_index]
      end

      v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'storageType', 'type' => 'select', 'fieldLabel' => "Disk #{volume_index} Storage Type", 'selectOptions' => storage_types, 'required' => true, 'defaultFirstOption' => true, 'skipSingleOption' => true, 'description' => 'Choose a storage type.', 'defaultValue' => volume['storageType']}], options[:options])
      storage_type_id = v_prompt[field_context]['storageType']
      volume['storageType'] = storage_type_id
      storage_type = plan_info['storageTypes'].find {|i| i['id'] == storage_type_id.to_i }

      # sometimes the user chooses sizeId from a list of size options (AccountPrice) and other times it is free form
      custom_size_options = []
      if plan_info['customSizeOptions'] && plan_info['customSizeOptions'][storage_type_id.to_s]
        plan_info['customSizeOptions'][storage_type_id.to_s].each do |opt|
          if !opt.nil?
            custom_size_options << {'name' => opt['value'], 'value' => opt['key']}
          end
        end
      end

      if plan_info['customizeVolume'] && storage_type['customLabel']
        v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'name', 'type' => 'text', 'fieldLabel' => "Disk #{volume_index} Volume Label", 'required' => true, 'description' => 'Enter a volume label.', 'defaultValue' => volume['name']}], options[:options])
        volume['name'] = v_prompt[field_context]['name']
      end
      if plan_info['customizeVolume'] && storage_type['customSize']
        if custom_size_options.empty?
          v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'size', 'type' => 'number', 'fieldLabel' => "Disk #{volume_index} Volume Size (GB)", 'required' => true, 'description' => 'Enter a volume size (GB).', 'defaultValue' => volume['size']}], options[:options])
          volume['size'] = v_prompt[field_context]['size']
          volume['sizeId'] = nil #volume.delete('sizeId')
        else
          v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'sizeId', 'type' => 'select', 'fieldLabel' => "Disk #{volume_index} Volume Size", 'selectOptions' => custom_size_options, 'required' => true, 'description' => 'Choose a volume size.', 'defaultValue' => volume['sizeId']}], options[:options])
          volume['sizeId'] = v_prompt[field_context]['sizeId']
          volume['size'] = nil #volume.delete('size')
        end
      else
        # might need different logic here ? =o
        volume['size'] = plan_size
        volume['sizeId'] = nil #volume.delete('sizeId')
      end
      if !datastore_options.empty?
        v_prompt = Morpheus::Cli::OptionTypes.prompt([{'fieldContext' => field_context, 'fieldName' => 'datastoreId', 'type' => 'select', 'fieldLabel' => "Disk #{volume_index} Datastore", 'selectOptions' => datastore_options, 'required' => true, 'description' => 'Choose a datastore.', 'defaultValue' => volume['datastoreId']}], options[:options])
        volume['datastoreId'] = v_prompt[field_context]['datastoreId']
      end

      volumes << volume

      volume_index += 1
      if options[:options] && options[:options]['volumes'] && options[:options]['volumes'][volume_index]
        add_another_volume = true
      elsif plan_info['maxDisk'] && volume_index >= plan_info['maxDisk']
        # todo: should maxDisk check consider the root volume too?
        add_another_volume = false
      else
        has_another_volume = options[:options] && options[:options]["dataVolume#{volume_index}"]
        add_another_volume = has_another_volume || (!no_prompt && Morpheus::Cli::OptionTypes.confirm("Add another data volume?", {:default => false}))
      end

    end

  end

  return volumes
end

#provision_types_interfaceObject



40
41
42
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 40

def provision_types_interface
  api_client.provision_types
end

#reject_service_plan_option_types(option_types) ⇒ Object

reject old option types that now come from the selected service plan these will eventually get removed from the associated optionTypes



1935
1936
1937
1938
1939
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 1935

def reject_service_plan_option_types(option_types)
  option_types.reject {|opt|
    ['cpuCount', 'memorySize', 'memory'].include?(opt['fieldName'])
  }
end

#servers_interfaceObject



24
25
26
# File 'lib/morpheus/cli/mixins/provisioning_helper.rb', line 24

def servers_interface
  @api_client.servers
end