blob: 55191b20467208605ad30b6e2ff1ca67af2499d2 [file] [log] [blame]
peusterme26487b2016-03-08 14:00:21 +01001"""
peusterm79ef6ae2016-07-08 13:53:57 +02002Copyright (c) 2015 SONATA-NFV and Paderborn University
3ALL RIGHTS RESERVED.
4
5Licensed under the Apache License, Version 2.0 (the "License");
6you may not use this file except in compliance with the License.
7You may obtain a copy of the License at
8
9 http://www.apache.org/licenses/LICENSE-2.0
10
11Unless required by applicable law or agreed to in writing, software
12distributed under the License is distributed on an "AS IS" BASIS,
13WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
14See the License for the specific language governing permissions and
15limitations under the License.
16
17Neither the name of the SONATA-NFV [, ANY ADDITIONAL AFFILIATION]
18nor the names of its contributors may be used to endorse or promote
19products derived from this software without specific prior written
20permission.
21
22This work has been performed in the framework of the SONATA project,
23funded by the European Commission under Grant number 671517 through
24the Horizon 2020 and 5G-PPP programmes. The authors would like to
25acknowledge the contributions of their colleagues of the SONATA
26partner consortium (www.sonata-nfv.eu).
27"""
28"""
peusterme26487b2016-03-08 14:00:21 +010029This module implements a simple REST API that behaves like SONATA's gatekeeper.
30
31It is only used to support the development of SONATA's SDK tools and to demonstrate
32the year 1 version of the emulator until the integration with WP4's orchestrator is done.
33"""
34
35import logging
36import os
37import uuid
38import hashlib
peusterm786cd542016-03-14 14:12:17 +010039import zipfile
peusterm7ec665d2016-03-14 15:20:44 +010040import yaml
peustermbdfab7e2016-03-14 16:03:30 +010041from docker import Client as DockerClient
peusterme26487b2016-03-08 14:00:21 +010042from flask import Flask, request
43import flask_restful as fr
wtaverni5b23b662016-06-20 12:26:21 +020044from collections import defaultdict
stevenvanrossemdb2f9432016-08-20 00:01:11 +020045import pkg_resources
peusterme26487b2016-03-08 14:00:21 +010046
peusterm398cd3b2016-03-21 15:04:54 +010047logging.basicConfig()
peusterm786cd542016-03-14 14:12:17 +010048LOG = logging.getLogger("sonata-dummy-gatekeeper")
49LOG.setLevel(logging.DEBUG)
peusterme26487b2016-03-08 14:00:21 +010050logging.getLogger("werkzeug").setLevel(logging.WARNING)
51
peusterm92237dc2016-03-21 15:45:58 +010052GK_STORAGE = "/tmp/son-dummy-gk/"
53UPLOAD_FOLDER = os.path.join(GK_STORAGE, "uploads/")
54CATALOG_FOLDER = os.path.join(GK_STORAGE, "catalog/")
peusterme26487b2016-03-08 14:00:21 +010055
peusterm82d406e2016-05-02 20:52:06 +020056# Enable Dockerfile build functionality
57BUILD_DOCKERFILE = False
58
peusterm398cd3b2016-03-21 15:04:54 +010059# flag to indicate that we run without the emulator (only the bare API for integration testing)
60GK_STANDALONE_MODE = False
61
peusterm56356cb2016-05-03 10:43:43 +020062# should a new version of an image be pulled even if its available
wtaverni5b23b662016-06-20 12:26:21 +020063FORCE_PULL = False
peusterme26487b2016-03-08 14:00:21 +010064
stevenvanrossemdb2f9432016-08-20 00:01:11 +020065# Automatically deploy SAPs (endpoints) of the service as new containers
66DEPLOY_SAP = False
67
peusterme26487b2016-03-08 14:00:21 +010068class Gatekeeper(object):
69
70 def __init__(self):
peusterm786cd542016-03-14 14:12:17 +010071 self.services = dict()
peusterm082378b2016-03-16 20:14:22 +010072 self.dcs = dict()
peusterm3444ae42016-03-16 20:46:41 +010073 self.vnf_counter = 0 # used to generate short names for VNFs (Mininet limitation)
peusterm786cd542016-03-14 14:12:17 +010074 LOG.info("Create SONATA dummy gatekeeper.")
peusterme26487b2016-03-08 14:00:21 +010075
peusterm786cd542016-03-14 14:12:17 +010076 def register_service_package(self, service_uuid, service):
77 """
78 register new service package
79 :param service_uuid
80 :param service object
81 """
82 self.services[service_uuid] = service
83 # lets perform all steps needed to onboard the service
84 service.onboard()
85
peusterm3444ae42016-03-16 20:46:41 +010086 def get_next_vnf_name(self):
87 self.vnf_counter += 1
peusterm398cd3b2016-03-21 15:04:54 +010088 return "vnf%d" % self.vnf_counter
peusterm3444ae42016-03-16 20:46:41 +010089
peusterm786cd542016-03-14 14:12:17 +010090
91class Service(object):
92 """
93 This class represents a NS uploaded as a *.son package to the
94 dummy gatekeeper.
95 Can have multiple running instances of this service.
96 """
97
98 def __init__(self,
99 service_uuid,
100 package_file_hash,
101 package_file_path):
102 self.uuid = service_uuid
103 self.package_file_hash = package_file_hash
104 self.package_file_path = package_file_path
105 self.package_content_path = os.path.join(CATALOG_FOLDER, "services/%s" % self.uuid)
peusterm7ec665d2016-03-14 15:20:44 +0100106 self.manifest = None
107 self.nsd = None
108 self.vnfds = dict()
peustermbdfab7e2016-03-14 16:03:30 +0100109 self.local_docker_files = dict()
peusterm82d406e2016-05-02 20:52:06 +0200110 self.remote_docker_image_urls = dict()
peusterm786cd542016-03-14 14:12:17 +0100111 self.instances = dict()
peusterm6b5224d2016-07-20 13:20:31 +0200112 self.vnf_name2docker_name = dict()
stevenvanrossemdb2f9432016-08-20 00:01:11 +0200113 self.sap_identifiers = set()
peusterm6b5224d2016-07-20 13:20:31 +0200114 # lets generate a set of subnet configurations used for e-line chaining setup
115 self.eline_subnets_src = generate_subnet_strings(50, start=200, subnet_size=24, ip=1)
116 self.eline_subnets_dst = generate_subnet_strings(50, start=200, subnet_size=24, ip=2)
peusterme26487b2016-03-08 14:00:21 +0100117
stevenvanrossem6d5019a2016-08-12 23:00:22 +0200118
peusterm786cd542016-03-14 14:12:17 +0100119 def onboard(self):
120 """
121 Do all steps to prepare this service to be instantiated
122 :return:
123 """
124 # 1. extract the contents of the package and store them in our catalog
125 self._unpack_service_package()
126 # 2. read in all descriptor files
peusterm7ec665d2016-03-14 15:20:44 +0100127 self._load_package_descriptor()
128 self._load_nsd()
129 self._load_vnfd()
stevenvanrossemdb2f9432016-08-20 00:01:11 +0200130 if DEPLOY_SAP:
131 self._load_saps()
peusterm786cd542016-03-14 14:12:17 +0100132 # 3. prepare container images (e.g. download or build Dockerfile)
peusterm82d406e2016-05-02 20:52:06 +0200133 if BUILD_DOCKERFILE:
134 self._load_docker_files()
135 self._build_images_from_dockerfiles()
136 else:
137 self._load_docker_urls()
138 self._pull_predefined_dockerimages()
peusterm3bb86bf2016-08-15 09:47:57 +0200139 LOG.info("On-boarded service: %r" % self.manifest.get("name"))
peusterm7ec665d2016-03-14 15:20:44 +0100140
peusterm082378b2016-03-16 20:14:22 +0100141 def start_service(self):
peusterm3444ae42016-03-16 20:46:41 +0100142 """
143 This methods creates and starts a new service instance.
144 It computes placements, iterates over all VNFDs, and starts
145 each VNFD as a Docker container in the data center selected
146 by the placement algorithm.
147 :return:
148 """
149 LOG.info("Starting service %r" % self.uuid)
stevenvanrossemd87fe472016-05-11 11:34:34 +0200150
peusterm3444ae42016-03-16 20:46:41 +0100151 # 1. each service instance gets a new uuid to identify it
peusterm082378b2016-03-16 20:14:22 +0100152 instance_uuid = str(uuid.uuid4())
peusterm3444ae42016-03-16 20:46:41 +0100153 # build a instances dict (a bit like a NSR :))
154 self.instances[instance_uuid] = dict()
155 self.instances[instance_uuid]["vnf_instances"] = list()
stevenvanrossemd87fe472016-05-11 11:34:34 +0200156
stevenvanrossemdb2f9432016-08-20 00:01:11 +0200157 # 2. Configure the chaining of the network functions (currently only E-Line and E-LAN links supported)
158 vnf_id2vnf_name = defaultdict(lambda: "NotExistingNode",
159 reduce(lambda x, y: dict(x, **y),
160 map(lambda d: {d["vnf_id"]: d["vnf_name"]},
161 self.nsd["network_functions"])))
162
163 # 3. compute placement of this service instance (adds DC names to VNFDs)
peusterm398cd3b2016-03-21 15:04:54 +0100164 if not GK_STANDALONE_MODE:
165 self._calculate_placement(FirstDcPlacement)
peusterm3444ae42016-03-16 20:46:41 +0100166 # iterate over all vnfds that we have to start
peusterm082378b2016-03-16 20:14:22 +0100167 for vnfd in self.vnfds.itervalues():
peusterm398cd3b2016-03-21 15:04:54 +0100168 vnfi = None
169 if not GK_STANDALONE_MODE:
170 vnfi = self._start_vnfd(vnfd)
171 self.instances[instance_uuid]["vnf_instances"].append(vnfi)
stevenvanrossemd87fe472016-05-11 11:34:34 +0200172
stevenvanrossemd87fe472016-05-11 11:34:34 +0200173 vlinks = self.nsd["virtual_links"]
174 fwd_links = self.nsd["forwarding_graphs"][0]["constituent_virtual_links"]
175 eline_fwd_links = [l for l in vlinks if (l["id"] in fwd_links) and (l["connectivity_type"] == "E-Line")]
stevenvanrossem6d5019a2016-08-12 23:00:22 +0200176 elan_fwd_links = [l for l in vlinks if (l["id"] in fwd_links) and (l["connectivity_type"] == "E-LAN")]
stevenvanrossemd87fe472016-05-11 11:34:34 +0200177
stevenvanrossemdb2f9432016-08-20 00:01:11 +0200178 # 4a. deploy E-Line links
stevenvanrossemaa6d3a72016-08-10 13:23:24 +0200179 # cookie is used as identifier for the flowrules installed by the dummygatekeeper
180 # eg. different services get a unique cookie for their flowrules
181 cookie = 1
stevenvanrossemd87fe472016-05-11 11:34:34 +0200182 for link in eline_fwd_links:
peusterm6b5224d2016-07-20 13:20:31 +0200183 src_id, src_if_name = link["connection_points_reference"][0].split(":")
184 dst_id, dst_if_name = link["connection_points_reference"][1].split(":")
stevenvanrossemd87fe472016-05-11 11:34:34 +0200185
stevenvanrossemdb2f9432016-08-20 00:01:11 +0200186 # check if there is a SAP in the link
187 if src_id in self.sap_identifiers:
188 src_docker_name = "{0}_{1}".format(src_id, src_if_name)
189 src_id = src_docker_name
190 else:
191 src_docker_name = src_id
192
193 if dst_id in self.sap_identifiers:
194 dst_docker_name = "{0}_{1}".format(dst_id, dst_if_name)
195 dst_id = dst_docker_name
196 else:
197 dst_docker_name = dst_id
198
peusterm6b5224d2016-07-20 13:20:31 +0200199 src_name = vnf_id2vnf_name[src_id]
200 dst_name = vnf_id2vnf_name[dst_id]
peusterm9fb74ec2016-06-16 11:30:55 +0200201
peusterm6b5224d2016-07-20 13:20:31 +0200202 LOG.debug(
203 "Setting up E-Line link. %s(%s:%s) -> %s(%s:%s)" % (
204 src_name, src_id, src_if_name, dst_name, dst_id, dst_if_name))
205
206 if (src_name in self.vnfds) and (dst_name in self.vnfds):
207 network = self.vnfds[src_name].get("dc").net # there should be a cleaner way to find the DCNetwork
peusterm6b5224d2016-07-20 13:20:31 +0200208 LOG.debug(src_docker_name)
209 ret = network.setChain(
210 src_docker_name, dst_docker_name,
211 vnf_src_interface=src_if_name, vnf_dst_interface=dst_if_name,
stevenvanrossem6d5019a2016-08-12 23:00:22 +0200212 bidirectional=True, cmd="add-flow", cookie=cookie, priority=10)
stevenvanrossemd87fe472016-05-11 11:34:34 +0200213
peusterm6b5224d2016-07-20 13:20:31 +0200214 # re-configure the VNFs IP assignment and ensure that a new subnet is used for each E-Link
215 src_vnfi = self._get_vnf_instance(instance_uuid, src_name)
216 if src_vnfi is not None:
217 self._vnf_reconfigure_network(src_vnfi, src_if_name, self.eline_subnets_src.pop(0))
218 dst_vnfi = self._get_vnf_instance(instance_uuid, dst_name)
219 if dst_vnfi is not None:
220 self._vnf_reconfigure_network(dst_vnfi, dst_if_name, self.eline_subnets_dst.pop(0))
221
stevenvanrossemdb2f9432016-08-20 00:01:11 +0200222 # 4b. deploy E-LAN links
stevenvanrossem6d5019a2016-08-12 23:00:22 +0200223 base = 10
224 for link in elan_fwd_links:
225 # generate lan ip address
226 ip = 1
227 for intf in link["connection_points_reference"]:
228 ip_address = generate_lan_string("10.0", base, subnet_size=24, ip=ip)
229 vnf_id, intf_name = intf.split(":")
stevenvanrossemdb2f9432016-08-20 00:01:11 +0200230 if vnf_id in self.sap_identifiers:
231 src_docker_name = "{0}_{1}".format(vnf_id, intf_name)
232 vnf_id = src_docker_name
stevenvanrossem6d5019a2016-08-12 23:00:22 +0200233 vnf_name = vnf_id2vnf_name[vnf_id]
234 LOG.debug(
235 "Setting up E-LAN link. %s(%s:%s) -> %s" % (
236 vnf_name, vnf_id, intf_name, ip_address))
237
238 if vnf_name in self.vnfds:
239 # re-configure the VNFs IP assignment and ensure that a new subnet is used for each E-LAN
240 # E-LAN relies on the learning switch capability of the infrastructure switch in dockernet,
241 # so no explicit chaining is necessary
242 vnfi = self._get_vnf_instance(instance_uuid, vnf_name)
243 if vnfi is not None:
244 self._vnf_reconfigure_network(vnfi, intf_name, ip_address)
245 # increase for the next ip address on this E-LAN
246 ip += 1
247 # increase the base ip address for the next E-LAN
248 base += 1
249
stevenvanrossemdb2f9432016-08-20 00:01:11 +0200250 # 5. run the emulator specific entrypoint scripts in the VNFIs of this service instance
peusterm8484b902016-06-21 09:03:35 +0200251 self._trigger_emulator_start_scripts_in_vnfis(self.instances[instance_uuid]["vnf_instances"])
252
peusterm3444ae42016-03-16 20:46:41 +0100253 LOG.info("Service started. Instance id: %r" % instance_uuid)
peusterm082378b2016-03-16 20:14:22 +0100254 return instance_uuid
255
peusterm398cd3b2016-03-21 15:04:54 +0100256 def _start_vnfd(self, vnfd):
257 """
258 Start a single VNFD of this service
259 :param vnfd: vnfd descriptor dict
260 :return:
261 """
262 # iterate over all deployment units within each VNFDs
263 for u in vnfd.get("virtual_deployment_units"):
264 # 1. get the name of the docker image to start and the assigned DC
peusterm56356cb2016-05-03 10:43:43 +0200265 vnf_name = vnfd.get("name")
266 if vnf_name not in self.remote_docker_image_urls:
267 raise Exception("No image name for %r found. Abort." % vnf_name)
268 docker_name = self.remote_docker_image_urls.get(vnf_name)
peusterm398cd3b2016-03-21 15:04:54 +0100269 target_dc = vnfd.get("dc")
270 # 2. perform some checks to ensure we can start the container
271 assert(docker_name is not None)
272 assert(target_dc is not None)
273 if not self._check_docker_image_exists(docker_name):
274 raise Exception("Docker image %r not found. Abort." % docker_name)
275 # 3. do the dc.startCompute(name="foobar") call to run the container
276 # TODO consider flavors, and other annotations
stevenvanrossemd87fe472016-05-11 11:34:34 +0200277 intfs = vnfd.get("connection_points")
stevenvanrossemeae73082016-08-05 16:22:12 +0200278
stevenvanrossemdb2f9432016-08-20 00:01:11 +0200279 # TODO: get all vnf id's from the nsd for this vnfd and use those as dockername
stevenvanrossem11a021f2016-08-05 13:43:00 +0200280 # use the vnf_id in the nsd as docker name
281 # so deployed containers can be easily mapped back to the nsd
282 vnf_name2id = defaultdict(lambda: "NotExistingNode",
283 reduce(lambda x, y: dict(x, **y),
284 map(lambda d: {d["vnf_name"]: d["vnf_id"]},
285 self.nsd["network_functions"])))
286 self.vnf_name2docker_name[vnf_name] = vnf_name2id[vnf_name]
287 # self.vnf_name2docker_name[vnf_name] = GK.get_next_vnf_name()
288
peusterm6b5224d2016-07-20 13:20:31 +0200289 LOG.info("Starting %r as %r in DC %r" % (vnf_name, self.vnf_name2docker_name[vnf_name], vnfd.get("dc")))
peusterm761c14d2016-07-19 09:31:19 +0200290 LOG.debug("Interfaces for %r: %r" % (vnf_name, intfs))
peusterm6b5224d2016-07-20 13:20:31 +0200291 vnfi = target_dc.startCompute(self.vnf_name2docker_name[vnf_name], network=intfs, image=docker_name, flavor_name="small")
peusterm398cd3b2016-03-21 15:04:54 +0100292 return vnfi
293
peusterm6b5224d2016-07-20 13:20:31 +0200294 def _get_vnf_instance(self, instance_uuid, name):
295 """
296 Returns the Docker object for the given VNF name (or Docker name).
297 :param instance_uuid: UUID of the service instance to search in.
298 :param name: VNF name or Docker name. We are fuzzy here.
299 :return:
300 """
301 dn = name
302 if name in self.vnf_name2docker_name:
303 dn = self.vnf_name2docker_name[name]
304 for vnfi in self.instances[instance_uuid]["vnf_instances"]:
305 if vnfi.name == dn:
306 return vnfi
307 LOG.warning("No container with name: %r found.")
308 return None
309
310 @staticmethod
311 def _vnf_reconfigure_network(vnfi, if_name, net_str):
312 """
313 Reconfigure the network configuration of a specific interface
314 of a running container.
315 :param vnfi: container instacne
316 :param if_name: interface name
317 :param net_str: network configuration string, e.g., 1.2.3.4/24
318 :return:
319 """
320 intf = vnfi.intf(intf=if_name)
321 if intf is not None:
322 intf.setIP(net_str)
323 LOG.debug("Reconfigured network of %s:%s to %r" % (vnfi.name, if_name, net_str))
324 else:
325 LOG.warning("Interface not found: %s:%s. Network reconfiguration skipped." % (vnfi.name, if_name))
326
327
peusterm8484b902016-06-21 09:03:35 +0200328 def _trigger_emulator_start_scripts_in_vnfis(self, vnfi_list):
329 for vnfi in vnfi_list:
330 config = vnfi.dcinfo.get("Config", dict())
331 env = config.get("Env", list())
332 for env_var in env:
333 if "SON_EMU_CMD=" in env_var:
334 cmd = str(env_var.split("=")[1])
335 LOG.info("Executing entrypoint script in %r: %r" % (vnfi.name, cmd))
336 vnfi.cmdPrint(cmd)
337
peusterm786cd542016-03-14 14:12:17 +0100338 def _unpack_service_package(self):
339 """
340 unzip *.son file and store contents in CATALOG_FOLDER/services/<service_uuid>/
341 """
peusterm82d406e2016-05-02 20:52:06 +0200342 LOG.info("Unzipping: %r" % self.package_file_path)
peusterm786cd542016-03-14 14:12:17 +0100343 with zipfile.ZipFile(self.package_file_path, "r") as z:
344 z.extractall(self.package_content_path)
345
peusterm82d406e2016-05-02 20:52:06 +0200346
peusterm7ec665d2016-03-14 15:20:44 +0100347 def _load_package_descriptor(self):
348 """
349 Load the main package descriptor YAML and keep it as dict.
350 :return:
351 """
352 self.manifest = load_yaml(
353 os.path.join(
354 self.package_content_path, "META-INF/MANIFEST.MF"))
355
356 def _load_nsd(self):
357 """
358 Load the entry NSD YAML and keep it as dict.
359 :return:
360 """
361 if "entry_service_template" in self.manifest:
362 nsd_path = os.path.join(
363 self.package_content_path,
364 make_relative_path(self.manifest.get("entry_service_template")))
365 self.nsd = load_yaml(nsd_path)
peusterm757fe9a2016-04-04 14:11:58 +0200366 LOG.debug("Loaded NSD: %r" % self.nsd.get("name"))
peusterm7ec665d2016-03-14 15:20:44 +0100367
368 def _load_vnfd(self):
369 """
370 Load all VNFD YAML files referenced in MANIFEST.MF and keep them in dict.
371 :return:
372 """
373 if "package_content" in self.manifest:
374 for pc in self.manifest.get("package_content"):
375 if pc.get("content-type") == "application/sonata.function_descriptor":
376 vnfd_path = os.path.join(
377 self.package_content_path,
378 make_relative_path(pc.get("name")))
379 vnfd = load_yaml(vnfd_path)
peusterm757fe9a2016-04-04 14:11:58 +0200380 self.vnfds[vnfd.get("name")] = vnfd
381 LOG.debug("Loaded VNFD: %r" % vnfd.get("name"))
peusterm7ec665d2016-03-14 15:20:44 +0100382
stevenvanrossemdb2f9432016-08-20 00:01:11 +0200383 def _load_saps(self):
384 # Each Service Access Point (connection_point) in the nsd is getting its own container
385 SAPs = [p["id"] for p in self.nsd["connection_points"] if p["type"] == "interface"]
386 for sap in SAPs:
387 # endpoints needed in this service
388 sap_vnf_id, sap_vnf_interface = sap.split(':')
389 # set of the connection_point ids found in the nsd (in the examples this is 'ns')
390 self.sap_identifiers.add(sap_vnf_id)
391
392 sap_docker_name = sap.replace(':', '_')
393
394 # add SAP to self.vnfds
395 sapfile = pkg_resources.resource_filename(__name__, "sap_vnfd.yml")
396 sap_vnfd = load_yaml(sapfile)
397 sap_vnfd["connection_points"][0]["id"] = sap_vnf_interface
398 sap_vnfd["name"] = sap_docker_name
399 self.vnfds[sap_docker_name] = sap_vnfd
400 # add SAP vnf to list in the NSD so it is deployed later on
401 # each SAP get a unique VNFD and vnf_id in the NSD
402 self.nsd["network_functions"].append({"vnf_id": sap_docker_name, "vnf_name": sap_docker_name})
403 LOG.debug("Loaded SAP: %r" % sap_vnfd.get("name"))
404
peusterm7ec665d2016-03-14 15:20:44 +0100405 def _load_docker_files(self):
406 """
peusterm9d7d4b02016-03-23 19:56:44 +0100407 Get all paths to Dockerfiles from VNFDs and store them in dict.
peusterm7ec665d2016-03-14 15:20:44 +0100408 :return:
409 """
peusterm9d7d4b02016-03-23 19:56:44 +0100410 for k, v in self.vnfds.iteritems():
411 for vu in v.get("virtual_deployment_units"):
412 if vu.get("vm_image_format") == "docker":
413 vm_image = vu.get("vm_image")
peusterm7ec665d2016-03-14 15:20:44 +0100414 docker_path = os.path.join(
415 self.package_content_path,
peusterm9d7d4b02016-03-23 19:56:44 +0100416 make_relative_path(vm_image))
417 self.local_docker_files[k] = docker_path
peusterm56356cb2016-05-03 10:43:43 +0200418 LOG.debug("Found Dockerfile (%r): %r" % (k, docker_path))
peusterm7ec665d2016-03-14 15:20:44 +0100419
peusterm82d406e2016-05-02 20:52:06 +0200420 def _load_docker_urls(self):
421 """
422 Get all URLs to pre-build docker images in some repo.
423 :return:
424 """
425 for k, v in self.vnfds.iteritems():
426 for vu in v.get("virtual_deployment_units"):
427 if vu.get("vm_image_format") == "docker":
peusterm35ba4052016-05-02 21:21:14 +0200428 url = vu.get("vm_image")
429 if url is not None:
430 url = url.replace("http://", "")
431 self.remote_docker_image_urls[k] = url
peusterm56356cb2016-05-03 10:43:43 +0200432 LOG.debug("Found Docker image URL (%r): %r" % (k, self.remote_docker_image_urls[k]))
peusterm82d406e2016-05-02 20:52:06 +0200433
peustermbdfab7e2016-03-14 16:03:30 +0100434 def _build_images_from_dockerfiles(self):
435 """
436 Build Docker images for each local Dockerfile found in the package: self.local_docker_files
437 """
peusterm398cd3b2016-03-21 15:04:54 +0100438 if GK_STANDALONE_MODE:
439 return # do not build anything in standalone mode
peustermbdfab7e2016-03-14 16:03:30 +0100440 dc = DockerClient()
441 LOG.info("Building %d Docker images (this may take several minutes) ..." % len(self.local_docker_files))
442 for k, v in self.local_docker_files.iteritems():
443 for line in dc.build(path=v.replace("Dockerfile", ""), tag=k, rm=False, nocache=False):
444 LOG.debug("DOCKER BUILD: %s" % line)
445 LOG.info("Docker image created: %s" % k)
446
peusterm82d406e2016-05-02 20:52:06 +0200447 def _pull_predefined_dockerimages(self):
peustermbdfab7e2016-03-14 16:03:30 +0100448 """
449 If the package contains URLs to pre-build Docker images, we download them with this method.
450 """
peusterm35ba4052016-05-02 21:21:14 +0200451 dc = DockerClient()
452 for url in self.remote_docker_image_urls.itervalues():
peusterm56356cb2016-05-03 10:43:43 +0200453 if not FORCE_PULL: # only pull if not present (speedup for development)
454 if len(dc.images(name=url)) > 0:
455 LOG.debug("Image %r present. Skipping pull." % url)
456 continue
peusterm35ba4052016-05-02 21:21:14 +0200457 LOG.info("Pulling image: %r" % url)
458 dc.pull(url,
459 insecure_registry=True)
peusterm786cd542016-03-14 14:12:17 +0100460
peusterm3444ae42016-03-16 20:46:41 +0100461 def _check_docker_image_exists(self, image_name):
peusterm3f307142016-03-16 21:02:53 +0100462 """
463 Query the docker service and check if the given image exists
464 :param image_name: name of the docker image
465 :return:
466 """
467 return len(DockerClient().images(image_name)) > 0
peusterm3444ae42016-03-16 20:46:41 +0100468
peusterm082378b2016-03-16 20:14:22 +0100469 def _calculate_placement(self, algorithm):
470 """
471 Do placement by adding the a field "dc" to
472 each VNFD that points to one of our
473 data center objects known to the gatekeeper.
474 """
475 assert(len(self.vnfds) > 0)
476 assert(len(GK.dcs) > 0)
477 # instantiate algorithm an place
478 p = algorithm()
479 p.place(self.nsd, self.vnfds, GK.dcs)
480 LOG.info("Using placement algorithm: %r" % p.__class__.__name__)
481 # lets print the placement result
482 for name, vnfd in self.vnfds.iteritems():
483 LOG.info("Placed VNF %r on DC %r" % (name, str(vnfd.get("dc"))))
484
485
486"""
487Some (simple) placement algorithms
488"""
489
490
491class FirstDcPlacement(object):
492 """
493 Placement: Always use one and the same data center from the GK.dcs dict.
494 """
495 def place(self, nsd, vnfds, dcs):
496 for name, vnfd in vnfds.iteritems():
497 vnfd["dc"] = list(dcs.itervalues())[0]
498
peusterme26487b2016-03-08 14:00:21 +0100499
500"""
501Resource definitions and API endpoints
502"""
503
504
505class Packages(fr.Resource):
506
507 def post(self):
508 """
peusterm26455852016-03-08 14:23:53 +0100509 Upload a *.son service package to the dummy gatekeeper.
510
peusterme26487b2016-03-08 14:00:21 +0100511 We expect request with a *.son file and store it in UPLOAD_FOLDER
peusterm26455852016-03-08 14:23:53 +0100512 :return: UUID
peusterme26487b2016-03-08 14:00:21 +0100513 """
514 try:
515 # get file contents
wtavernib8d9ecb2016-03-25 15:18:31 +0100516 print(request.files)
peusterm593ca582016-03-30 19:55:01 +0200517 # lets search for the package in the request
518 if "package" in request.files:
519 son_file = request.files["package"]
520 # elif "file" in request.files:
521 # son_file = request.files["file"]
522 else:
523 return {"service_uuid": None, "size": 0, "sha1": None, "error": "upload failed. file not found."}, 500
peusterme26487b2016-03-08 14:00:21 +0100524 # generate a uuid to reference this package
525 service_uuid = str(uuid.uuid4())
peusterm786cd542016-03-14 14:12:17 +0100526 file_hash = hashlib.sha1(str(son_file)).hexdigest()
peusterme26487b2016-03-08 14:00:21 +0100527 # ensure that upload folder exists
528 ensure_dir(UPLOAD_FOLDER)
529 upload_path = os.path.join(UPLOAD_FOLDER, "%s.son" % service_uuid)
530 # store *.son file to disk
peusterm786cd542016-03-14 14:12:17 +0100531 son_file.save(upload_path)
peusterme26487b2016-03-08 14:00:21 +0100532 size = os.path.getsize(upload_path)
peusterm786cd542016-03-14 14:12:17 +0100533 # create a service object and register it
534 s = Service(service_uuid, file_hash, upload_path)
535 GK.register_service_package(service_uuid, s)
peusterme26487b2016-03-08 14:00:21 +0100536 # generate the JSON result
peusterm786cd542016-03-14 14:12:17 +0100537 return {"service_uuid": service_uuid, "size": size, "sha1": file_hash, "error": None}
peusterme26487b2016-03-08 14:00:21 +0100538 except Exception as ex:
peusterm786cd542016-03-14 14:12:17 +0100539 LOG.exception("Service package upload failed:")
peusterm593ca582016-03-30 19:55:01 +0200540 return {"service_uuid": None, "size": 0, "sha1": None, "error": "upload failed"}, 500
peusterme26487b2016-03-08 14:00:21 +0100541
542 def get(self):
peusterm26455852016-03-08 14:23:53 +0100543 """
544 Return a list of UUID's of uploaded service packages.
545 :return: dict/list
546 """
peusterm075b46a2016-07-20 17:08:00 +0200547 LOG.info("GET /packages")
peusterm786cd542016-03-14 14:12:17 +0100548 return {"service_uuid_list": list(GK.services.iterkeys())}
peusterme26487b2016-03-08 14:00:21 +0100549
550
551class Instantiations(fr.Resource):
552
553 def post(self):
peusterm26455852016-03-08 14:23:53 +0100554 """
555 Instantiate a service specified by its UUID.
556 Will return a new UUID to identify the running service instance.
557 :return: UUID
558 """
peusterm64b45502016-03-16 21:15:14 +0100559 # try to extract the service uuid from the request
peusterm26455852016-03-08 14:23:53 +0100560 json_data = request.get_json(force=True)
peusterm64b45502016-03-16 21:15:14 +0100561 service_uuid = json_data.get("service_uuid")
562
563 # lets be a bit fuzzy here to make testing easier
564 if service_uuid is None and len(GK.services) > 0:
565 # if we don't get a service uuid, we simple start the first service in the list
566 service_uuid = list(GK.services.iterkeys())[0]
567
peustermbea87372016-03-16 19:37:35 +0100568 if service_uuid in GK.services:
peusterm64b45502016-03-16 21:15:14 +0100569 # ok, we have a service uuid, lets start the service
peustermbea87372016-03-16 19:37:35 +0100570 service_instance_uuid = GK.services.get(service_uuid).start_service()
peusterm26455852016-03-08 14:23:53 +0100571 return {"service_instance_uuid": service_instance_uuid}
peustermbea87372016-03-16 19:37:35 +0100572 return "Service not found", 404
peusterme26487b2016-03-08 14:00:21 +0100573
574 def get(self):
peusterm26455852016-03-08 14:23:53 +0100575 """
576 Returns a list of UUIDs containing all running services.
577 :return: dict / list
578 """
peusterm075b46a2016-07-20 17:08:00 +0200579 LOG.info("GET /instantiations")
580 return {"service_instantiations_list": [
peusterm64b45502016-03-16 21:15:14 +0100581 list(s.instances.iterkeys()) for s in GK.services.itervalues()]}
peusterm786cd542016-03-14 14:12:17 +0100582
peusterme26487b2016-03-08 14:00:21 +0100583
584# create a single, global GK object
585GK = Gatekeeper()
586# setup Flask
587app = Flask(__name__)
588app.config['MAX_CONTENT_LENGTH'] = 512 * 1024 * 1024 # 512 MB max upload
589api = fr.Api(app)
590# define endpoints
peusterm593ca582016-03-30 19:55:01 +0200591api.add_resource(Packages, '/packages')
592api.add_resource(Instantiations, '/instantiations')
peusterme26487b2016-03-08 14:00:21 +0100593
594
peusterm082378b2016-03-16 20:14:22 +0100595def start_rest_api(host, port, datacenters=dict()):
peustermbea87372016-03-16 19:37:35 +0100596 GK.dcs = datacenters
peusterme26487b2016-03-08 14:00:21 +0100597 # start the Flask server (not the best performance but ok for our use case)
598 app.run(host=host,
599 port=port,
600 debug=True,
601 use_reloader=False # this is needed to run Flask in a non-main thread
602 )
603
604
605def ensure_dir(name):
606 if not os.path.exists(name):
peusterm7ec665d2016-03-14 15:20:44 +0100607 os.makedirs(name)
608
609
610def load_yaml(path):
611 with open(path, "r") as f:
612 try:
613 r = yaml.load(f)
614 except yaml.YAMLError as exc:
615 LOG.exception("YAML parse error")
616 r = dict()
617 return r
618
619
620def make_relative_path(path):
peusterm9d7d4b02016-03-23 19:56:44 +0100621 if path.startswith("file://"):
622 path = path.replace("file://", "", 1)
peusterm7ec665d2016-03-14 15:20:44 +0100623 if path.startswith("/"):
peusterm9d7d4b02016-03-23 19:56:44 +0100624 path = path.replace("/", "", 1)
peusterm7ec665d2016-03-14 15:20:44 +0100625 return path
626
627
stevenvanrossem6d5019a2016-08-12 23:00:22 +0200628def generate_lan_string(prefix, base, subnet_size=24, ip=0):
629 """
630 Helper to generate different network configuration strings.
631 """
632 r = "%s.%d.%d/%d" % (prefix, base, ip, subnet_size)
633 return r
634
635
peusterm6b5224d2016-07-20 13:20:31 +0200636def generate_subnet_strings(n, start=1, subnet_size=24, ip=0):
637 """
638 Helper to generate different network configuration strings.
639 """
640 r = list()
641 for i in range(start, start + n):
642 r.append("%d.0.0.%d/%d" % (i, ip, subnet_size))
643 return r
644
645
peusterme26487b2016-03-08 14:00:21 +0100646if __name__ == '__main__':
647 """
648 Lets allow to run the API in standalone mode.
649 """
peusterm398cd3b2016-03-21 15:04:54 +0100650 GK_STANDALONE_MODE = True
peusterme26487b2016-03-08 14:00:21 +0100651 logging.getLogger("werkzeug").setLevel(logging.INFO)
652 start_rest_api("0.0.0.0", 8000)
653