55191b20467208605ad30b6e2ff1ca67af2499d2
[osm/vim-emu.git] / src / emuvim / api / sonata / dummygatekeeper.py
1 """
2 Copyright (c) 2015 SONATA-NFV and Paderborn University
3 ALL RIGHTS RESERVED.
4
5 Licensed under the Apache License, Version 2.0 (the "License");
6 you may not use this file except in compliance with the License.
7 You may obtain a copy of the License at
8
9 http://www.apache.org/licenses/LICENSE-2.0
10
11 Unless required by applicable law or agreed to in writing, software
12 distributed under the License is distributed on an "AS IS" BASIS,
13 WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
14 See the License for the specific language governing permissions and
15 limitations under the License.
16
17 Neither the name of the SONATA-NFV [, ANY ADDITIONAL AFFILIATION]
18 nor the names of its contributors may be used to endorse or promote
19 products derived from this software without specific prior written
20 permission.
21
22 This work has been performed in the framework of the SONATA project,
23 funded by the European Commission under Grant number 671517 through
24 the Horizon 2020 and 5G-PPP programmes. The authors would like to
25 acknowledge the contributions of their colleagues of the SONATA
26 partner consortium (www.sonata-nfv.eu).
27 """
28 """
29 This module implements a simple REST API that behaves like SONATA's gatekeeper.
30
31 It is only used to support the development of SONATA's SDK tools and to demonstrate
32 the year 1 version of the emulator until the integration with WP4's orchestrator is done.
33 """
34
35 import logging
36 import os
37 import uuid
38 import hashlib
39 import zipfile
40 import yaml
41 from docker import Client as DockerClient
42 from flask import Flask, request
43 import flask_restful as fr
44 from collections import defaultdict
45 import pkg_resources
46
47 logging.basicConfig()
48 LOG = logging.getLogger("sonata-dummy-gatekeeper")
49 LOG.setLevel(logging.DEBUG)
50 logging.getLogger("werkzeug").setLevel(logging.WARNING)
51
52 GK_STORAGE = "/tmp/son-dummy-gk/"
53 UPLOAD_FOLDER = os.path.join(GK_STORAGE, "uploads/")
54 CATALOG_FOLDER = os.path.join(GK_STORAGE, "catalog/")
55
56 # Enable Dockerfile build functionality
57 BUILD_DOCKERFILE = False
58
59 # flag to indicate that we run without the emulator (only the bare API for integration testing)
60 GK_STANDALONE_MODE = False
61
62 # should a new version of an image be pulled even if its available
63 FORCE_PULL = False
64
65 # Automatically deploy SAPs (endpoints) of the service as new containers
66 DEPLOY_SAP = False
67
68 class Gatekeeper(object):
69
70 def __init__(self):
71 self.services = dict()
72 self.dcs = dict()
73 self.vnf_counter = 0 # used to generate short names for VNFs (Mininet limitation)
74 LOG.info("Create SONATA dummy gatekeeper.")
75
76 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
86 def get_next_vnf_name(self):
87 self.vnf_counter += 1
88 return "vnf%d" % self.vnf_counter
89
90
91 class 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)
106 self.manifest = None
107 self.nsd = None
108 self.vnfds = dict()
109 self.local_docker_files = dict()
110 self.remote_docker_image_urls = dict()
111 self.instances = dict()
112 self.vnf_name2docker_name = dict()
113 self.sap_identifiers = set()
114 # 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)
117
118
119 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
127 self._load_package_descriptor()
128 self._load_nsd()
129 self._load_vnfd()
130 if DEPLOY_SAP:
131 self._load_saps()
132 # 3. prepare container images (e.g. download or build Dockerfile)
133 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()
139 LOG.info("On-boarded service: %r" % self.manifest.get("name"))
140
141 def start_service(self):
142 """
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)
150
151 # 1. each service instance gets a new uuid to identify it
152 instance_uuid = str(uuid.uuid4())
153 # build a instances dict (a bit like a NSR :))
154 self.instances[instance_uuid] = dict()
155 self.instances[instance_uuid]["vnf_instances"] = list()
156
157 # 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)
164 if not GK_STANDALONE_MODE:
165 self._calculate_placement(FirstDcPlacement)
166 # iterate over all vnfds that we have to start
167 for vnfd in self.vnfds.itervalues():
168 vnfi = None
169 if not GK_STANDALONE_MODE:
170 vnfi = self._start_vnfd(vnfd)
171 self.instances[instance_uuid]["vnf_instances"].append(vnfi)
172
173 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")]
176 elan_fwd_links = [l for l in vlinks if (l["id"] in fwd_links) and (l["connectivity_type"] == "E-LAN")]
177
178 # 4a. deploy E-Line links
179 # 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
182 for link in eline_fwd_links:
183 src_id, src_if_name = link["connection_points_reference"][0].split(":")
184 dst_id, dst_if_name = link["connection_points_reference"][1].split(":")
185
186 # 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
199 src_name = vnf_id2vnf_name[src_id]
200 dst_name = vnf_id2vnf_name[dst_id]
201
202 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
208 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,
212 bidirectional=True, cmd="add-flow", cookie=cookie, priority=10)
213
214 # 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
222 # 4b. deploy E-LAN links
223 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(":")
230 if vnf_id in self.sap_identifiers:
231 src_docker_name = "{0}_{1}".format(vnf_id, intf_name)
232 vnf_id = src_docker_name
233 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
250 # 5. run the emulator specific entrypoint scripts in the VNFIs of this service instance
251 self._trigger_emulator_start_scripts_in_vnfis(self.instances[instance_uuid]["vnf_instances"])
252
253 LOG.info("Service started. Instance id: %r" % instance_uuid)
254 return instance_uuid
255
256 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
265 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)
269 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
277 intfs = vnfd.get("connection_points")
278
279 # TODO: get all vnf id's from the nsd for this vnfd and use those as dockername
280 # 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
289 LOG.info("Starting %r as %r in DC %r" % (vnf_name, self.vnf_name2docker_name[vnf_name], vnfd.get("dc")))
290 LOG.debug("Interfaces for %r: %r" % (vnf_name, intfs))
291 vnfi = target_dc.startCompute(self.vnf_name2docker_name[vnf_name], network=intfs, image=docker_name, flavor_name="small")
292 return vnfi
293
294 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
328 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
338 def _unpack_service_package(self):
339 """
340 unzip *.son file and store contents in CATALOG_FOLDER/services/<service_uuid>/
341 """
342 LOG.info("Unzipping: %r" % self.package_file_path)
343 with zipfile.ZipFile(self.package_file_path, "r") as z:
344 z.extractall(self.package_content_path)
345
346
347 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)
366 LOG.debug("Loaded NSD: %r" % self.nsd.get("name"))
367
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)
380 self.vnfds[vnfd.get("name")] = vnfd
381 LOG.debug("Loaded VNFD: %r" % vnfd.get("name"))
382
383 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
405 def _load_docker_files(self):
406 """
407 Get all paths to Dockerfiles from VNFDs and store them in dict.
408 :return:
409 """
410 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")
414 docker_path = os.path.join(
415 self.package_content_path,
416 make_relative_path(vm_image))
417 self.local_docker_files[k] = docker_path
418 LOG.debug("Found Dockerfile (%r): %r" % (k, docker_path))
419
420 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":
428 url = vu.get("vm_image")
429 if url is not None:
430 url = url.replace("http://", "")
431 self.remote_docker_image_urls[k] = url
432 LOG.debug("Found Docker image URL (%r): %r" % (k, self.remote_docker_image_urls[k]))
433
434 def _build_images_from_dockerfiles(self):
435 """
436 Build Docker images for each local Dockerfile found in the package: self.local_docker_files
437 """
438 if GK_STANDALONE_MODE:
439 return # do not build anything in standalone mode
440 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
447 def _pull_predefined_dockerimages(self):
448 """
449 If the package contains URLs to pre-build Docker images, we download them with this method.
450 """
451 dc = DockerClient()
452 for url in self.remote_docker_image_urls.itervalues():
453 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
457 LOG.info("Pulling image: %r" % url)
458 dc.pull(url,
459 insecure_registry=True)
460
461 def _check_docker_image_exists(self, image_name):
462 """
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
468
469 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 """
487 Some (simple) placement algorithms
488 """
489
490
491 class 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
499
500 """
501 Resource definitions and API endpoints
502 """
503
504
505 class Packages(fr.Resource):
506
507 def post(self):
508 """
509 Upload a *.son service package to the dummy gatekeeper.
510
511 We expect request with a *.son file and store it in UPLOAD_FOLDER
512 :return: UUID
513 """
514 try:
515 # get file contents
516 print(request.files)
517 # 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
524 # generate a uuid to reference this package
525 service_uuid = str(uuid.uuid4())
526 file_hash = hashlib.sha1(str(son_file)).hexdigest()
527 # 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
531 son_file.save(upload_path)
532 size = os.path.getsize(upload_path)
533 # create a service object and register it
534 s = Service(service_uuid, file_hash, upload_path)
535 GK.register_service_package(service_uuid, s)
536 # generate the JSON result
537 return {"service_uuid": service_uuid, "size": size, "sha1": file_hash, "error": None}
538 except Exception as ex:
539 LOG.exception("Service package upload failed:")
540 return {"service_uuid": None, "size": 0, "sha1": None, "error": "upload failed"}, 500
541
542 def get(self):
543 """
544 Return a list of UUID's of uploaded service packages.
545 :return: dict/list
546 """
547 LOG.info("GET /packages")
548 return {"service_uuid_list": list(GK.services.iterkeys())}
549
550
551 class Instantiations(fr.Resource):
552
553 def post(self):
554 """
555 Instantiate a service specified by its UUID.
556 Will return a new UUID to identify the running service instance.
557 :return: UUID
558 """
559 # try to extract the service uuid from the request
560 json_data = request.get_json(force=True)
561 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
568 if service_uuid in GK.services:
569 # ok, we have a service uuid, lets start the service
570 service_instance_uuid = GK.services.get(service_uuid).start_service()
571 return {"service_instance_uuid": service_instance_uuid}
572 return "Service not found", 404
573
574 def get(self):
575 """
576 Returns a list of UUIDs containing all running services.
577 :return: dict / list
578 """
579 LOG.info("GET /instantiations")
580 return {"service_instantiations_list": [
581 list(s.instances.iterkeys()) for s in GK.services.itervalues()]}
582
583
584 # create a single, global GK object
585 GK = Gatekeeper()
586 # setup Flask
587 app = Flask(__name__)
588 app.config['MAX_CONTENT_LENGTH'] = 512 * 1024 * 1024 # 512 MB max upload
589 api = fr.Api(app)
590 # define endpoints
591 api.add_resource(Packages, '/packages')
592 api.add_resource(Instantiations, '/instantiations')
593
594
595 def start_rest_api(host, port, datacenters=dict()):
596 GK.dcs = datacenters
597 # 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
605 def ensure_dir(name):
606 if not os.path.exists(name):
607 os.makedirs(name)
608
609
610 def 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
620 def make_relative_path(path):
621 if path.startswith("file://"):
622 path = path.replace("file://", "", 1)
623 if path.startswith("/"):
624 path = path.replace("/", "", 1)
625 return path
626
627
628 def 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
636 def 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
646 if __name__ == '__main__':
647 """
648 Lets allow to run the API in standalone mode.
649 """
650 GK_STANDALONE_MODE = True
651 logging.getLogger("werkzeug").setLevel(logging.INFO)
652 start_rest_api("0.0.0.0", 8000)
653