Merge "Update VFC release note"
[vfc/nfvo/lcm.git] / lcm / ns / ns_instant.py
1 # Copyright 2016-2017 ZTE Corporation.
2 #
3 # Licensed under the Apache License, Version 2.0 (the "License");
4 # you may not use this file except in compliance with the License.
5 # You may obtain a copy of the License at
6 #
7 #         http://www.apache.org/licenses/LICENSE-2.0
8 #
9 # Unless required by applicable law or agreed to in writing, software
10 # distributed under the License is distributed on an "AS IS" BASIS,
11 # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12 # See the License for the specific language governing permissions and
13 # limitations under the License.
14 import json
15 import logging
16 import time
17 import traceback
18 import uuid
19 from threading import Thread
20
21 from rest_framework import status
22
23 from lcm.pub.config.config import WORKFLOW_OPTION
24 from lcm.pub.database.models import DefPkgMappingModel, ServiceBaseInfoModel, InputParamMappingModel
25 from lcm.pub.database.models import NSInstModel, VNFFGInstModel, WFPlanModel
26 from lcm.pub.exceptions import NSLCMException
27 from lcm.pub.msapi import activiti
28 from lcm.pub.msapi import sdc_run_catalog
29 from lcm.pub.msapi.catalog import get_process_id, query_rawdata_from_catalog
30 from lcm.pub.msapi.catalog import get_servicetemplate_id, get_servicetemplate
31 from lcm.pub.msapi.extsys import select_vnfm
32 from lcm.pub.msapi.wso2bpel import workflow_run
33 from lcm.pub.utils import toscautil
34 from lcm.pub.utils.jobutil import JobUtil
35 from lcm.pub.utils.values import ignore_case_get
36 from lcm.workflows import build_in
37
38 logger = logging.getLogger(__name__)
39
40
41 class BuildInWorkflowThread(Thread):
42     def __init__(self, plan_input):
43         Thread.__init__(self)
44         self.plan_input = plan_input
45
46     def run(self):
47         build_in.run_ns_instantiate(self.plan_input)
48
49
50 class InstantNSService(object):
51     def __init__(self, ns_inst_id, plan_content):
52         self.ns_inst_id = ns_inst_id
53         self.req_data = plan_content
54
55     def do_biz(self):
56         try:
57             job_id = JobUtil.create_job("NS", "NS_INST", self.ns_inst_id)
58             logger.debug('ns-instant(%s) workflow starting...' % self.ns_inst_id)
59             logger.debug('req_data=%s' % self.req_data)
60             ns_inst = NSInstModel.objects.get(id=self.ns_inst_id)
61
62             input_parameters = []
63             for key, val in self.req_data['additionalParamForNs'].items():
64                 input_parameters.append({"key": key, "value": val})
65
66             vim_id = ''
67             if 'location' in self.req_data['additionalParamForNs']:
68                 vim_id = self.req_data['additionalParamForNs']['location']
69             location_constraints = []
70             if 'locationConstraints' in self.req_data:
71                 location_constraints = self.req_data['locationConstraints']
72
73             JobUtil.add_job_status(job_id, 5, 'Start query nsd(%s)' % ns_inst.nspackage_id)
74             dst_plan = None
75             if WORKFLOW_OPTION == "wso2":
76                 src_plan = query_rawdata_from_catalog(ns_inst.nspackage_id, input_parameters)
77                 dst_plan = toscautil.convert_nsd_model(src_plan["rawData"])
78             else:
79                 dst_plan = sdc_run_catalog.parse_nsd(ns_inst.nspackage_id, input_parameters)
80             logger.debug('tosca plan dest:%s' % dst_plan)
81
82             NSInstModel.objects.filter(id=self.ns_inst_id).update(nsd_model=dst_plan)
83
84             params_json = json.JSONEncoder().encode(self.req_data["additionalParamForNs"])
85             # start
86             params_vnf = []
87             plan_dict = json.JSONDecoder().decode(dst_plan)
88             for vnf in ignore_case_get(plan_dict, "vnfs"):
89                 vnfd_id = vnf['properties']['id']
90                 vnfm_type = vnf['properties'].get("nf_type", "undefined")
91                 vimid = self.get_vnf_vim_id(vim_id, location_constraints, vnfd_id)
92                 vnfm_info = select_vnfm(vnfm_type=vnfm_type, vim_id=vimid)
93                 params_vnf.append({
94                     "vnfProfileId": vnf["vnf_id"],
95                     "additionalParam": {
96                         "vimId": vimid,
97                         "vnfmInstanceId": vnfm_info["vnfmId"],
98                         "vnfmType": vnfm_type,
99                         "inputs": params_json
100                     }
101                 })
102             # end
103
104             self.set_vl_vim_id(vim_id, location_constraints, plan_dict)
105             dst_plan = json.JSONEncoder().encode(plan_dict)
106             logger.debug('tosca plan dest add vimid:%s' % dst_plan)
107             NSInstModel.objects.filter(id=self.ns_inst_id).update(nsd_model=dst_plan)
108
109             vnf_params_json = json.JSONEncoder().encode(params_vnf)
110             plan_input = {
111                 'jobId': job_id,
112                 'nsInstanceId': self.req_data["nsInstanceId"],
113                 'object_context': dst_plan,
114                 'object_additionalParamForNs': params_json,
115                 'object_additionalParamForVnf': vnf_params_json
116             }
117             plan_input.update(**self.get_model_count(dst_plan))
118             plan_input["sdnControllerId"] = ignore_case_get(
119                 self.req_data['additionalParamForNs'], "sdncontroller")
120
121             ServiceBaseInfoModel(service_id=self.ns_inst_id,
122                                  service_name=ns_inst.name,
123                                  service_type='NFVO',
124                                  description=ns_inst.description,
125                                  active_status='--',
126                                  status=ns_inst.status,
127                                  creator='--',
128                                  create_time=int(time.time() * 1000)).save()
129
130             if WORKFLOW_OPTION == "wso2":
131                 service_tpl = get_servicetemplate(ns_inst.nsd_id)
132                 DefPkgMappingModel(service_id=self.ns_inst_id,
133                                    service_def_id=service_tpl['csarId'],
134                                    template_name=service_tpl['templateName'],
135                                    template_id=service_tpl['serviceTemplateId']).save()
136
137                 for key, val in self.req_data['additionalParamForNs'].items():
138                     InputParamMappingModel(service_id=self.ns_inst_id,
139                                            input_key=key,
140                                            input_value=val).save()
141
142                 for vnffg in ignore_case_get(plan_dict, "vnffgs"):
143                     VNFFGInstModel(vnffgdid=vnffg["vnffg_id"],
144                                    vnffginstid=str(uuid.uuid4()),
145                                    nsinstid=self.ns_inst_id,
146                                    endpointnumber=0).save()
147             else:
148                 # TODO:
149                 pass
150
151             if WORKFLOW_OPTION == "wso2":
152                 return self.start_wso2_workflow(job_id, ns_inst, plan_input)
153             elif WORKFLOW_OPTION == "activiti":
154                 return self.start_activiti_workflow()
155             else:
156                 return self.start_buildin_workflow(job_id, plan_input)
157
158         except Exception as e:
159             logger.error(traceback.format_exc())
160             logger.error("ns-instant(%s) workflow error:%s" % (self.ns_inst_id, e.message))
161             JobUtil.add_job_status(job_id, 255, 'NS instantiation failed: %s' % e.message)
162             return dict(data={'error': e.message}, status=status.HTTP_500_INTERNAL_SERVER_ERROR)
163
164     def start_wso2_workflow(self, job_id, ns_inst, plan_input):
165         servicetemplate_id = get_servicetemplate_id(ns_inst.nsd_id)
166         process_id = get_process_id('init', servicetemplate_id)
167         data = {"processId": process_id, "params": {"planInput": plan_input}}
168         logger.debug('ns-instant(%s) workflow data:%s' % (self.ns_inst_id, data))
169
170         ret = workflow_run(data)
171         logger.info("ns-instant(%s) workflow result:%s" % (self.ns_inst_id, ret))
172         JobUtil.add_job_status(job_id, 10, 'NS inst(%s) wso2 workflow started: %s' % (
173             self.ns_inst_id, ret.get('status')))
174         if ret.get('status') == 1:
175             return dict(data={'jobId': job_id}, status=status.HTTP_200_OK)
176         return dict(data={'error': ret['message']}, status=status.HTTP_500_INTERNAL_SERVER_ERROR)
177
178     def start_activiti_workflow(self, job_id, plan_input):
179         plans = WFPlanModel.objects.filter()
180         if not plans:
181             raise NSLCMException("No plan is found, you should deploy plan first!")
182         data = {
183             "processId": plans[0].process_id,
184             "params": plan_input
185         }
186         ret = activiti.exec_workflow(data)
187         logger.info("ns-instant(%s) workflow result:%s" % (self.ns_inst_id, ret))
188         JobUtil.add_job_status(job_id, 10, 'NS inst(%s) activiti workflow started: %s' % (
189             self.ns_inst_id, ret.get('status')))
190         if ret.get('status') == 1:
191             return dict(data={'jobId': job_id}, status=status.HTTP_200_OK)
192         return dict(data={'error': ret['message']}, status=status.HTTP_500_INTERNAL_SERVER_ERROR)
193
194     def start_buildin_workflow(self, job_id, plan_input):
195         JobUtil.add_job_status(job_id, 10, 'NS inst(%s) buildin workflow started.' % self.ns_inst_id)
196         BuildInWorkflowThread(plan_input).start()
197         return dict(data={'jobId': job_id}, status=status.HTTP_200_OK)
198
199     def get_vnf_vim_id(self, vim_id, location_constraints, vnfdid):
200         for location in location_constraints:
201             if "vnfProfileId" in location and vnfdid == location["vnfProfileId"]:
202                 return location["locationConstraints"]["vimId"]
203         if vim_id:
204             return vim_id
205         raise NSLCMException("No Vim info is found for vnf(%s)." % vnfdid)
206
207     def set_vl_vim_id(self, vim_id, location_constraints, plan_dict):
208         if "vls" not in plan_dict:
209             logger.debug("No vl is found in nsd.")
210             return
211         vl_vnf = {}
212         for vnf in ignore_case_get(plan_dict, "vnfs"):
213             if "dependencies" in vnf:
214                 for depend in vnf["dependencies"]:
215                     vl_vnf[depend["vl_id"]] = vnf['properties']['id']
216         vnf_vim = {}
217         for location in location_constraints:
218             if "vnfProfileId" in location:
219                 vnfd_id = location["vnfProfileId"]
220                 vnf_vim[vnfd_id] = location["locationConstraints"]["vimId"]
221         for vl in plan_dict["vls"]:
222             vnfdid = ignore_case_get(vl_vnf, vl["vl_id"])
223             vimid = ignore_case_get(vnf_vim, vnfdid)
224             if not vimid:
225                 vimid = vim_id
226             if not vimid:
227                 raise NSLCMException("No Vim info for vl(%s) of vnf(%s)." % (vl["vl_id"], vnfdid))
228             if "location_info" not in vl["properties"]:
229                 vl["properties"]["location_info"] = {}
230             vl["properties"]["location_info"]["vimid"] = vimid
231
232     @staticmethod
233     def get_model_count(context):
234         data = json.JSONDecoder().decode(context)
235         vls = len(data.get('vls', []))
236         sfcs = len(data.get('fps', []))
237         vnfs = len(data.get('vnfs', []))
238         return {'vlCount': str(vls), 'sfcCount': str(sfcs), 'vnfCount': str(vnfs)}