1
0
mirror of https://github.com/GNS3/gns3-server synced 2024-11-12 19:38:57 +00:00
gns3-server/gns3server/controller/node.py

824 lines
27 KiB
Python
Raw Normal View History

2016-03-10 20:51:29 +00:00
#!/usr/bin/env python
#
# Copyright (C) 2016 GNS3 Technologies Inc.
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
import asyncio
import html
2016-03-11 14:49:28 +00:00
import copy
2016-03-10 20:51:29 +00:00
import uuid
2016-06-07 17:38:01 +00:00
import os
from .compute import ComputeConflict, ComputeError
2020-10-02 06:37:50 +00:00
from .controller_error import ControllerError, ControllerTimeoutError
from .ports.port_factory import PortFactory, StandardPortFactory, DynamipsPortFactory
2016-06-07 17:38:01 +00:00
from ..utils.images import images_directories
from ..utils.qt import qt_font_to_style
2016-03-10 20:51:29 +00:00
2016-06-15 13:12:38 +00:00
import logging
2021-04-13 09:16:50 +00:00
2016-06-15 13:12:38 +00:00
log = logging.getLogger(__name__)
class Node:
# This properties are used only on controller and are not forwarded to the compute
2021-04-13 09:16:50 +00:00
CONTROLLER_ONLY_PROPERTIES = [
"x",
"y",
"z",
"locked",
"width",
"height",
"symbol",
"label",
"console_host",
"port_name_format",
"first_port_name",
"port_segment_size",
"ports",
"category",
"console_auto_start",
]
2016-03-11 14:06:14 +00:00
def __init__(self, project, compute, name, node_id=None, node_type=None, template_id=None, **kwargs):
2016-03-10 20:51:29 +00:00
"""
:param project: Project of the node
:param compute: Compute where the server will run
:param name: Node name
:param node_id: UUID of the node (integer)
:param node_type: Type of emulator
:param template_id: Template ID used to create this node
:param kwargs: Node properties
2016-03-10 20:51:29 +00:00
"""
assert node_type
if node_id is None:
2016-03-10 20:51:29 +00:00
self._id = str(uuid.uuid4())
else:
self._id = node_id
2016-03-10 20:51:29 +00:00
self._project = project
2016-04-15 15:57:06 +00:00
self._compute = compute
self._node_type = node_type
self._label = None
self._links = set()
self._name = None
self.name = name
self._console = None
self._console_type = None
self._aux = None
self._aux_type = None
2017-06-27 09:11:07 +00:00
self._properties = None
self._command_line = None
self._node_directory = None
2016-05-12 17:15:46 +00:00
self._status = "stopped"
self._template_id = template_id
self._x = 0
self._y = 0
2018-08-08 07:33:10 +00:00
self._z = 1 # default z value is 1
self._locked = False
self._ports = None
2016-08-17 09:58:19 +00:00
self._symbol = None
self._custom_adapters = []
if node_type == "iou":
self._port_name_format = "Ethernet{segment0}/{port0}"
self._port_by_adapter = 4
self.port_segment_size = 4
else:
self._port_name_format = "Ethernet{0}"
self._port_by_adapter = 1
self._port_segment_size = 0
self._first_port_name = None
2018-04-04 14:31:35 +00:00
self._console_auto_start = False
2016-08-17 09:58:19 +00:00
# This properties will be recompute
ignore_properties = ("width", "height", "hover_symbol")
2021-04-13 09:16:50 +00:00
self.properties = kwargs.pop("properties", {})
2017-06-27 09:11:07 +00:00
# Update node properties with additional elements
for prop in kwargs:
2018-10-04 13:22:42 +00:00
if prop and prop not in ignore_properties:
if hasattr(self, prop):
try:
setattr(self, prop, kwargs[prop])
except AttributeError as e:
2021-04-13 09:07:58 +00:00
log.critical(f"Cannot set attribute '{prop}'")
raise e
else:
2017-05-16 08:49:45 +00:00
if prop not in self.CONTROLLER_ONLY_PROPERTIES and kwargs[prop] is not None and kwargs[prop] != "":
self.properties[prop] = kwargs[prop]
2016-08-17 09:58:19 +00:00
if self._symbol is None:
# compatibility with old node templates
if "default_symbol" in self.properties:
default_symbol = self.properties.pop("default_symbol")
if default_symbol.endswith("normal.svg"):
self.symbol = default_symbol[:-11] + ".svg"
else:
self.symbol = default_symbol
else:
2018-01-12 14:46:48 +00:00
self.symbol = ":/symbols/computer.svg"
2016-03-10 20:51:29 +00:00
def is_always_running(self):
"""
:returns: Boolean True if the node is always running
like ethernet switch
"""
2021-04-13 09:33:23 +00:00
return self.node_type not in ("qemu", "docker", "dynamips", "vpcs", "vmware", "virtualbox", "iou")
2016-03-10 20:51:29 +00:00
@property
def id(self):
return self._id
2016-05-12 17:15:46 +00:00
@property
def status(self):
return self._status
2016-03-15 10:32:10 +00:00
@property
def name(self):
return self._name
@name.setter
def name(self, new_name):
2016-07-18 17:30:38 +00:00
self._name = self._project.update_node_name(self, new_name)
# The text in label need to be always the node name
if self.label and self._label["text"] != self._name:
self._label["text"] = self._name
self._label["x"] = None # Center text
2016-03-10 20:51:29 +00:00
@property
def node_type(self):
return self._node_type
2016-03-10 20:51:29 +00:00
@property
def console(self):
return self._console
@console.setter
def console(self, val):
self._console = val
@property
def aux(self):
return self._aux
@aux.setter
def aux(self, val):
self._aux = val
2016-03-10 20:51:29 +00:00
@property
def console_type(self):
return self._console_type
@console_type.setter
def console_type(self, val):
self._console_type = val
@property
def aux_type(self):
return self._aux_type
@aux_type.setter
def aux_type(self, val):
self._aux_type = val
2018-04-04 14:31:35 +00:00
@property
def console_auto_start(self):
return self._console_auto_start
@console_auto_start.setter
def console_auto_start(self, val):
self._console_auto_start = val
2016-03-10 20:51:29 +00:00
@property
def properties(self):
return self._properties
@properties.setter
def properties(self, val):
self._properties = val
def _base_config_file_content(self, path):
if not os.path.isabs(path):
path = os.path.join(self.project.controller.configs_path(), path)
try:
with open(path, encoding="utf-8", errors="ignore") as f:
return f.read()
except OSError:
return None
2016-03-10 20:51:29 +00:00
@property
def project(self):
return self._project
@property
2016-04-15 15:57:06 +00:00
def compute(self):
return self._compute
2016-03-15 10:32:10 +00:00
@property
def host(self):
"""
:returns: Domain or ip for console connection
"""
2016-04-15 15:57:06 +00:00
return self._compute.host
2016-03-15 10:32:10 +00:00
@property
def ports(self):
if self._ports is None:
self._list_ports()
return self._ports
@property
def x(self):
return self._x
@x.setter
def x(self, val):
self._x = val
@property
def y(self):
return self._y
@y.setter
def y(self, val):
self._y = val
@property
def z(self):
return self._z
@z.setter
def z(self, val):
self._z = val
@property
def locked(self):
return self._locked
@locked.setter
def locked(self, val):
self._locked = val
@property
def width(self):
return self._width
@property
def height(self):
return self._height
@property
def symbol(self):
return self._symbol
@symbol.setter
def symbol(self, val):
if val is None:
val = ":/symbols/computer.svg"
2016-09-15 16:21:39 +00:00
# No abs path, fix them (bug of 1.X)
try:
if not val.startswith(":") and os.path.abspath(val):
val = os.path.basename(val)
except OSError:
pass
2016-09-15 16:21:39 +00:00
self._symbol = val
2016-08-17 09:58:19 +00:00
try:
self._width, self._height, filetype = self._project.controller.symbols.get_size(val)
except (ValueError, OSError) as e:
2021-04-13 09:07:58 +00:00
log.error(f"Could not set symbol: {e}")
# If symbol is invalid we replace it by the default
2016-08-17 09:58:19 +00:00
self.symbol = ":/symbols/computer.svg"
if self._label is None:
# Apply to label user style or default
try:
style = None # FIXME: allow configuration of default label font & color on controller
2021-04-13 09:16:50 +00:00
# style = qt_font_to_style(self._project.controller.settings["GraphicsView"]["default_label_font"],
# self._project.controller.settings["GraphicsView"]["default_label_color"])
except KeyError:
style = "font-family: TypeWriter;font-size: 10.0;font-weight: bold;fill: #000000;fill-opacity: 1.0;"
self._label = {
"y": round(self._height / 2 + 10) * -1,
"text": html.escape(self._name),
"style": style, # None: means the client will apply its default style
"x": None, # None: means the client should center it
2021-04-13 09:16:50 +00:00
"rotation": 0,
}
@property
def label(self):
return self._label
@label.setter
def label(self, val):
# The text in label need to be always the node name
val["text"] = self._name
self._label = val
@property
def port_name_format(self):
return self._port_name_format
@port_name_format.setter
def port_name_format(self, val):
self._port_name_format = val
@property
def port_segment_size(self):
return self._port_segment_size
@port_segment_size.setter
def port_segment_size(self, val):
self._port_segment_size = val
@property
def first_port_name(self):
return self._first_port_name
@first_port_name.setter
def first_port_name(self, val):
self._first_port_name = val
@property
def custom_adapters(self):
return self._custom_adapters
@custom_adapters.setter
def custom_adapters(self, val):
self._custom_adapters = val
def add_link(self, link):
"""
A link is connected to the node
"""
self._links.add(link)
def remove_link(self, link):
"""
A link is connected to the node
"""
self._links.remove(link)
@property
def links(self):
return self._links
async def create(self):
2016-04-18 15:36:38 +00:00
"""
Create the node on the compute
2016-04-18 15:36:38 +00:00
"""
data = self._node_data()
data["node_id"] = self._id
if self._node_type == "docker":
timeout = None
else:
timeout = 1200
2016-06-07 17:38:01 +00:00
trial = 0
while trial != 6:
try:
2021-04-13 09:16:50 +00:00
response = await self._compute.post(
f"/projects/{self._project.id}/{self._node_type}/nodes", data=data, timeout=timeout
)
2016-06-07 17:38:01 +00:00
except ComputeConflict as e:
if e.response.get("exception") == "ImageMissingError":
res = await self._upload_missing_image(self._node_type, e.response["image"])
2016-06-07 17:38:01 +00:00
if not res:
raise e
else:
raise e
2016-06-07 17:38:01 +00:00
else:
await self.parse_node_response(response.json)
2016-06-07 17:38:01 +00:00
return True
trial += 1
2016-04-18 15:36:38 +00:00
async def update(self, **kwargs):
2016-04-18 15:36:38 +00:00
"""
Update the node on the compute
2016-04-18 15:36:38 +00:00
:param kwargs: Node properties
2016-04-18 15:36:38 +00:00
"""
# When updating properties used only on controller we don't need to call the compute
update_compute = False
2021-04-17 14:04:28 +00:00
old_json = self.asdict()
compute_properties = None
# Update node properties with additional elements
for prop in kwargs:
if getattr(self, prop) != kwargs[prop]:
if prop not in self.CONTROLLER_ONLY_PROPERTIES:
update_compute = True
# We update properties on the compute and wait for the answer from the compute node
if prop == "properties":
compute_properties = kwargs[prop]
else:
2021-04-13 09:16:50 +00:00
if (
prop == "name"
and self.status == "started"
and self._node_type
not in ("cloud", "nat", "ethernet_switch", "ethernet_hub", "frame_relay_switch", "atm_switch")
):
2020-10-02 06:37:50 +00:00
raise ControllerError("Sorry, it is not possible to rename a node that is already powered on")
setattr(self, prop, kwargs[prop])
if compute_properties and "custom_adapters" in compute_properties:
# we need to check custom adapters to update the custom port names
self.custom_adapters = compute_properties["custom_adapters"]
self._list_ports()
if update_compute:
data = self._node_data(properties=compute_properties)
response = await self.put(None, data=data)
await self.parse_node_response(response.json)
2021-04-17 14:04:28 +00:00
elif old_json != self.asdict():
2018-03-24 11:25:09 +00:00
# We send notif only if object has changed
2021-04-17 14:04:28 +00:00
self.project.emit_notification("node.updated", self.asdict())
self.project.dump()
2016-04-18 15:36:38 +00:00
async def parse_node_response(self, response):
2016-04-18 15:36:38 +00:00
"""
Update the object with the remote node object
2016-04-18 15:36:38 +00:00
"""
2018-03-24 11:11:21 +00:00
for key, value in response.items():
2016-04-18 15:36:38 +00:00
if key == "console":
self._console = value
elif key == "aux":
self._aux = value
elif key == "node_directory":
self._node_directory = value
elif key == "command_line":
self._command_line = value
elif key == "status":
self._status = value
elif key == "console_type":
self._console_type = value
elif key == "aux_type":
self._aux_type = value
elif key == "name":
2016-07-18 17:30:38 +00:00
self.name = value
2021-04-13 09:16:50 +00:00
elif key in [
"node_id",
"project_id",
"console_host",
"startup_config_content",
"private_config_content",
"startup_script",
]:
if key in self._properties:
del self._properties[key]
2016-04-18 15:36:38 +00:00
else:
self._properties[key] = value
self._list_ports()
for link in self._links:
await link.node_updated(self)
2016-04-18 15:36:38 +00:00
def _node_data(self, properties=None):
2016-04-18 15:36:38 +00:00
"""
Prepare node data to send to the remote controller
:param properties: If properties is None use actual property otherwise use the parameter
2016-04-18 15:36:38 +00:00
"""
if properties:
data = copy.copy(properties)
else:
data = copy.copy(self._properties)
# We replace the startup script name by the content of the file
mapping = {
"base_script_file": "startup_script",
"startup_config": "startup_config_content",
"private_config": "private_config_content",
}
for k, v in mapping.items():
if k in list(self._properties.keys()):
data[v] = self._base_config_file_content(self._properties[k])
del data[k]
del self._properties[k] # We send the file only one time
2016-03-11 14:06:14 +00:00
data["name"] = self._name
if self._console:
# console is optional for builtin nodes
data["console"] = self._console
2021-04-13 09:16:50 +00:00
if self._console_type and self._node_type not in (
"cloud",
"nat",
"ethernet_hub",
"frame_relay_switch",
"atm_switch",
):
# console_type is not supported by all builtin nodes excepting Ethernet switch
data["console_type"] = self._console_type
if self._aux:
# aux is optional for builtin nodes
data["aux"] = self._aux
2021-04-13 09:16:50 +00:00
if self._aux_type and self._node_type not in (
"cloud",
"nat",
"ethernet_switch",
"ethernet_hub",
"frame_relay_switch",
"atm_switch",
):
# aux_type is not supported by all builtin nodes
data["aux_type"] = self._aux_type
if self.custom_adapters:
data["custom_adapters"] = self.custom_adapters
2016-03-15 09:45:05 +00:00
2021-04-17 09:06:32 +00:00
# None properties are not be sent because it can mean the emulator doesn't support it
2016-03-15 09:45:05 +00:00
for key in list(data.keys()):
if data[key] is None or data[key] is {} or key in self.CONTROLLER_ONLY_PROPERTIES:
2016-03-15 09:45:05 +00:00
del data[key]
2016-04-18 15:36:38 +00:00
return data
2016-03-15 09:45:05 +00:00
async def destroy(self):
await self.delete()
2016-03-10 20:51:29 +00:00
async def start(self, data=None):
"""
Start a node
"""
try:
# For IOU we need to send the licence everytime
if self.node_type == "iou":
license_check = self._project.controller.iou_license.get("license_check", True)
iourc_content = self._project.controller.iou_license.get("iourc_content", None)
2021-04-13 09:16:50 +00:00
# if license_check and not iourc_content:
# raise aiohttp.web.HTTPConflict(text="IOU licence is not configured")
2021-04-13 09:16:50 +00:00
await self.post(
"/start", timeout=240, data={"license_check": license_check, "iourc_content": iourc_content}
)
else:
await self.post("/start", data=data, timeout=240)
except asyncio.TimeoutError:
2021-04-13 09:07:58 +00:00
raise ControllerTimeoutError(f"Timeout when starting {self._name}")
async def stop(self):
"""
Stop a node
"""
try:
await self.post("/stop", timeout=240, dont_connect=True)
# We don't care if a node is down at this step
2020-10-02 06:37:50 +00:00
except (ComputeError, ControllerError):
pass
except asyncio.TimeoutError:
2021-04-13 09:07:58 +00:00
raise ControllerTimeoutError(f"Timeout when stopping {self._name}")
async def suspend(self):
"""
Suspend a node
"""
try:
await self.post("/suspend", timeout=240)
except asyncio.TimeoutError:
2021-04-13 09:07:58 +00:00
raise ControllerTimeoutError(f"Timeout when reloading {self._name}")
async def reload(self):
2016-04-18 14:57:02 +00:00
"""
Suspend a node
2016-04-18 14:57:02 +00:00
"""
try:
await self.post("/reload", timeout=240)
except asyncio.TimeoutError:
2021-04-13 09:07:58 +00:00
raise ControllerTimeoutError(f"Timeout when reloading {self._name}")
2016-04-18 14:57:02 +00:00
async def reset_console(self):
"""
Reset the console
"""
if self._console and self._console_type == "telnet":
try:
await self.post("/console/reset", timeout=240)
except asyncio.TimeoutError:
2021-04-13 09:07:58 +00:00
raise ControllerTimeoutError(f"Timeout when reset console {self._name}")
async def post(self, path, data=None, **kwargs):
"""
HTTP post on the node
"""
2016-04-15 15:57:06 +00:00
if data:
2021-04-13 09:16:50 +00:00
return await self._compute.post(
f"/projects/{self._project.id}/{self._node_type}/nodes/{self._id}{path}", data=data, **kwargs
)
2016-04-15 15:57:06 +00:00
else:
2021-04-13 09:16:50 +00:00
return await self._compute.post(
f"/projects/{self._project.id}/{self._node_type}/nodes/{self._id}{path}", **kwargs
)
async def put(self, path, data=None, **kwargs):
2016-04-18 15:36:38 +00:00
"""
2021-04-17 09:06:32 +00:00
HTTP put on the node
2016-04-18 15:36:38 +00:00
"""
if path is None:
2021-04-13 09:07:58 +00:00
path = f"/projects/{self._project.id}/{self._node_type}/nodes/{self._id}"
else:
2021-04-13 09:07:58 +00:00
path = f"/projects/{self._project.id}/{self._node_type}/nodes/{self._id}{path}"
2016-04-18 15:36:38 +00:00
if data:
2021-04-13 09:16:50 +00:00
return await self._compute.put(path, data=data, **kwargs)
2016-04-18 15:36:38 +00:00
else:
2021-04-13 09:16:50 +00:00
return await self._compute.put(path, **kwargs)
2016-04-18 15:36:38 +00:00
async def delete(self, path=None, **kwargs):
2016-03-14 16:40:27 +00:00
"""
HTTP post on the node
2016-03-14 16:40:27 +00:00
"""
if path is None:
2021-04-13 09:16:50 +00:00
return await self._compute.delete(
f"/projects/{self._project.id}/{self._node_type}/nodes/{self._id}", **kwargs
)
else:
2021-04-13 09:16:50 +00:00
return await self._compute.delete(
f"/projects/{self._project.id}/{self._node_type}/nodes/{self._id}{path}", **kwargs
)
2016-03-14 16:40:27 +00:00
async def _upload_missing_image(self, type, img):
2016-06-07 17:38:01 +00:00
"""
Search an image on local computer and upload it to remote compute
if the image exists
"""
2020-10-02 06:37:50 +00:00
2016-06-07 17:38:01 +00:00
for directory in images_directories(type):
image = os.path.join(directory, img)
if os.path.exists(image):
2021-04-13 09:07:58 +00:00
self.project.emit_notification("log.info", {"message": f"Uploading missing image {img}"})
try:
2021-04-13 09:16:50 +00:00
with open(image, "rb") as f:
await self._compute.post(
f"/{self._node_type}/images/{os.path.basename(img)}", data=f, timeout=None
)
except OSError as e:
2021-04-13 09:07:58 +00:00
raise ControllerError(f"Can't upload {image}: {str(e)}")
self.project.emit_notification("log.info", {"message": f"Upload finished for {img}"})
2016-06-07 17:38:01 +00:00
return True
return False
async def dynamips_auto_idlepc(self):
"""
Compute the idle PC for a dynamips node
"""
2021-04-13 09:16:50 +00:00
return (
await self._compute.get(
f"/projects/{self._project.id}/{self._node_type}/nodes/{self._id}/auto_idlepc", timeout=240
)
).json
async def dynamips_idlepc_proposals(self):
"""
Compute a list of potential idle PC
"""
2021-04-13 09:16:50 +00:00
return (
await self._compute.get(
f"/projects/{self._project.id}/{self._node_type}/nodes/{self._id}/idlepc_proposals", timeout=240
)
).json
def get_port(self, adapter_number, port_number):
"""
Return the port for this adapter_number and port_number
2018-03-12 06:38:50 +00:00
or returns None if the port is not found
"""
for port in self.ports:
if port.adapter_number == adapter_number and port.port_number == port_number:
return port
2018-03-12 06:38:50 +00:00
return None
def _list_ports(self):
"""
Generate the list of port display in the client
if the compute has sent a list we return it (use by
node where you can not personalize the port naming).
"""
self._ports = []
# Some special cases
if self._node_type == "atm_switch":
atm_port = set()
# Mapping is like {"1:0:100": "10:0:200"}
for source, dest in self._properties["mappings"].items():
atm_port.add(int(source.split(":")[0]))
atm_port.add(int(dest.split(":")[0]))
atm_port = sorted(atm_port)
for port in atm_port:
2021-04-13 09:07:58 +00:00
self._ports.append(PortFactory(f"{port}", 0, 0, port, "atm"))
return
elif self._node_type == "frame_relay_switch":
frame_relay_port = set()
# Mapping is like {"1:101": "10:202"}
for source, dest in self._properties["mappings"].items():
frame_relay_port.add(int(source.split(":")[0]))
frame_relay_port.add(int(dest.split(":")[0]))
frame_relay_port = sorted(frame_relay_port)
for port in frame_relay_port:
2021-04-13 09:07:58 +00:00
self._ports.append(PortFactory(f"{port}", 0, 0, port, "frame_relay"))
return
elif self._node_type == "dynamips":
self._ports = DynamipsPortFactory(self._properties)
return
elif self._node_type == "docker":
for adapter_number in range(0, self._properties["adapters"]):
custom_adapter_settings = {}
for custom_adapter in self.custom_adapters:
if custom_adapter["adapter_number"] == adapter_number:
custom_adapter_settings = custom_adapter
break
2021-04-13 09:07:58 +00:00
port_name = f"eth{adapter_number}"
port_name = custom_adapter_settings.get("port_name", port_name)
self._ports.append(PortFactory(port_name, 0, adapter_number, 0, "ethernet", short_name=port_name))
elif self._node_type in ("ethernet_switch", "ethernet_hub"):
# Basic node we don't want to have adapter number
2016-09-23 08:56:37 +00:00
port_number = 0
for port in self._properties.get("ports_mapping", []):
2021-04-13 09:16:50 +00:00
self._ports.append(
PortFactory(port["name"], 0, 0, port_number, "ethernet", short_name=f"e{port_number}")
)
port_number += 1
2021-04-13 09:33:23 +00:00
elif self._node_type in ("vpcs"):
self._ports.append(PortFactory("Ethernet0", 0, 0, 0, "ethernet", short_name="e0"))
elif self._node_type in ("cloud", "nat"):
port_number = 0
for port in self._properties.get("ports_mapping", []):
self._ports.append(PortFactory(port["name"], 0, 0, port_number, "ethernet", short_name=port["name"]))
2016-09-23 08:56:37 +00:00
port_number += 1
else:
2021-04-13 09:16:50 +00:00
self._ports = StandardPortFactory(
self._properties,
self._port_by_adapter,
self._first_port_name,
self._port_name_format,
self._port_segment_size,
self._custom_adapters,
)
def __repr__(self):
2021-04-13 09:07:58 +00:00
return f"<gns3server.controller.Node {self._node_type} {self._name}>"
def __eq__(self, other):
if not isinstance(other, Node):
return False
return self.id == other.id and other.project.id == self.project.id
2021-04-17 14:04:28 +00:00
def asdict(self, topology_dump=False):
2016-06-15 13:12:38 +00:00
"""
2021-04-17 09:06:32 +00:00
:param topology_dump: Filter to keep only properties required for saving on disk
2016-06-15 13:12:38 +00:00
"""
2021-04-17 09:06:32 +00:00
topology = {
2016-06-15 13:12:38 +00:00
"compute_id": str(self._compute.id),
"node_id": self._id,
"node_type": self._node_type,
"template_id": self._template_id,
2016-06-15 13:12:38 +00:00
"name": self._name,
"console": self._console,
"console_type": self._console_type,
2018-04-04 14:31:35 +00:00
"console_auto_start": self._console_auto_start,
"aux": self._aux,
"aux_type": self._aux_type,
"properties": self._properties,
2016-06-15 13:12:38 +00:00
"label": self._label,
"x": self._x,
"y": self._y,
"z": self._z,
"locked": self._locked,
"width": self._width,
"height": self._height,
"symbol": self._symbol,
"port_name_format": self._port_name_format,
"port_segment_size": self._port_segment_size,
"first_port_name": self._first_port_name,
2021-04-13 09:16:50 +00:00
"custom_adapters": self._custom_adapters,
2021-04-17 09:06:32 +00:00
}
if topology_dump:
return topology
additional_data = {
2016-03-11 14:06:14 +00:00
"project_id": self._project.id,
"command_line": self._command_line,
"status": self._status,
2021-04-17 09:06:32 +00:00
"console_host": str(self._compute.console_host),
"node_directory": self._node_directory,
2021-04-17 14:04:28 +00:00
"ports": [port.asdict() for port in self.ports]
2016-03-10 20:51:29 +00:00
}
2021-04-17 09:06:32 +00:00
topology.update(additional_data)
return topology