From: "Juraj Linkeš" <juraj.linkes@pantheon.tech>
To: thomas@monjalon.net, Honnappa.Nagarahalli@arm.com,
lijuan.tu@intel.com, bruce.richardson@intel.com,
jspewock@iol.unh.edu, probb@iol.unh.edu
Cc: dev@dpdk.org, "Juraj Linkeš" <juraj.linkes@pantheon.tech>
Subject: [PATCH v3 5/6] dts: scapy traffic generator implementation
Date: Wed, 19 Jul 2023 16:13:02 +0200 [thread overview]
Message-ID: <20230719141303.33284-6-juraj.linkes@pantheon.tech> (raw)
In-Reply-To: <20230719141303.33284-1-juraj.linkes@pantheon.tech>
Scapy is a traffic generator capable of sending and receiving traffic.
Since it's a software traffic generator, it's not suitable for
performance testing, but it is suitable for functional testing.
Signed-off-by: Juraj Linkeš <juraj.linkes@pantheon.tech>
---
dts/framework/remote_session/__init__.py | 1 +
.../remote_session/remote/__init__.py | 1 +
dts/framework/testbed_model/scapy.py | 224 +++++++++++++++++-
3 files changed, 222 insertions(+), 4 deletions(-)
diff --git a/dts/framework/remote_session/__init__.py b/dts/framework/remote_session/__init__.py
index 1155dd8318..00b6d1f03a 100644
--- a/dts/framework/remote_session/__init__.py
+++ b/dts/framework/remote_session/__init__.py
@@ -22,6 +22,7 @@
CommandResult,
InteractiveRemoteSession,
InteractiveShell,
+ PythonShell,
RemoteSession,
SSHSession,
TestPmdDevice,
diff --git a/dts/framework/remote_session/remote/__init__.py b/dts/framework/remote_session/remote/__init__.py
index 1d29c3ea0d..06403691a5 100644
--- a/dts/framework/remote_session/remote/__init__.py
+++ b/dts/framework/remote_session/remote/__init__.py
@@ -9,6 +9,7 @@
from .interactive_remote_session import InteractiveRemoteSession
from .interactive_shell import InteractiveShell
+from .python_shell import PythonShell
from .remote_session import CommandResult, RemoteSession
from .ssh_session import SSHSession
from .testpmd_shell import TestPmdDevice, TestPmdShell
diff --git a/dts/framework/testbed_model/scapy.py b/dts/framework/testbed_model/scapy.py
index 1a23dc9fa3..af0d4dbb25 100644
--- a/dts/framework/testbed_model/scapy.py
+++ b/dts/framework/testbed_model/scapy.py
@@ -12,10 +12,21 @@
a local server proxy.
"""
+import inspect
+import marshal
+import time
+import types
+import xmlrpc.client
+from xmlrpc.server import SimpleXMLRPCServer
+
+import scapy.all # type: ignore[import]
+from scapy.layers.l2 import Ether # type: ignore[import]
from scapy.packet import Packet # type: ignore[import]
from framework.config import OS, ScapyTrafficGeneratorConfig
-from framework.logger import getLogger
+from framework.logger import DTSLOG, getLogger
+from framework.remote_session import PythonShell
+from framework.settings import SETTINGS
from .capturing_traffic_generator import (
CapturingTrafficGenerator,
@@ -24,6 +35,134 @@
from .hw.port import Port
from .tg_node import TGNode
+"""
+========= BEGIN RPC FUNCTIONS =========
+
+All of the functions in this section are intended to be exported to a python
+shell which runs a scapy RPC server. These functions are made available via that
+RPC server to the packet generator. To add a new function to the RPC server,
+first write the function in this section. Then, if you need any imports, make sure to
+add them to SCAPY_RPC_SERVER_IMPORTS as well. After that, add the function to the list
+in EXPORTED_FUNCTIONS. Note that kwargs (keyword arguments) do not work via xmlrpc,
+so you may need to construct wrapper functions around many scapy types.
+"""
+
+"""
+Add the line needed to import something in a normal python environment
+as an entry to this array. It will be imported before any functions are
+sent to the server.
+"""
+SCAPY_RPC_SERVER_IMPORTS = [
+ "from scapy.all import *",
+ "import xmlrpc",
+ "import sys",
+ "from xmlrpc.server import SimpleXMLRPCServer",
+ "import marshal",
+ "import pickle",
+ "import types",
+ "import time",
+]
+
+
+def scapy_send_packets_and_capture(
+ xmlrpc_packets: list[xmlrpc.client.Binary],
+ send_iface: str,
+ recv_iface: str,
+ duration: float,
+) -> list[bytes]:
+ """RPC function to send and capture packets.
+
+ The function is meant to be executed on the remote TG node.
+
+ Args:
+ xmlrpc_packets: The packets to send. These need to be converted to
+ xmlrpc.client.Binary before sending to the remote server.
+ send_iface: The logical name of the egress interface.
+ recv_iface: The logical name of the ingress interface.
+ duration: Capture for this amount of time, in seconds.
+
+ Returns:
+ A list of bytes. Each item in the list represents one packet, which needs
+ to be converted back upon transfer from the remote node.
+ """
+ scapy_packets = [scapy.all.Packet(packet.data) for packet in xmlrpc_packets]
+ sniffer = scapy.all.AsyncSniffer(
+ iface=recv_iface,
+ store=True,
+ started_callback=lambda *args: scapy.all.sendp(scapy_packets, iface=send_iface),
+ )
+ sniffer.start()
+ time.sleep(duration)
+ return [scapy_packet.build() for scapy_packet in sniffer.stop(join=True)]
+
+
+def scapy_send_packets(
+ xmlrpc_packets: list[xmlrpc.client.Binary], send_iface: str
+) -> None:
+ """RPC function to send packets.
+
+ The function is meant to be executed on the remote TG node.
+ It doesn't return anything, only sends packets.
+
+ Args:
+ xmlrpc_packets: The packets to send. These need to be converted to
+ xmlrpc.client.Binary before sending to the remote server.
+ send_iface: The logical name of the egress interface.
+
+ Returns:
+ A list of bytes. Each item in the list represents one packet, which needs
+ to be converted back upon transfer from the remote node.
+ """
+ scapy_packets = [scapy.all.Packet(packet.data) for packet in xmlrpc_packets]
+ scapy.all.sendp(scapy_packets, iface=send_iface, realtime=True, verbose=True)
+
+
+"""
+Functions to be exposed by the scapy RPC server.
+"""
+RPC_FUNCTIONS = [
+ scapy_send_packets,
+ scapy_send_packets_and_capture,
+]
+
+"""
+========= END RPC FUNCTIONS =========
+"""
+
+
+class QuittableXMLRPCServer(SimpleXMLRPCServer):
+ """Basic XML-RPC server that may be extended
+ by functions serializable by the marshal module.
+ """
+
+ def __init__(self, *args, **kwargs):
+ kwargs["allow_none"] = True
+ super().__init__(*args, **kwargs)
+ self.register_introspection_functions()
+ self.register_function(self.quit)
+ self.register_function(self.add_rpc_function)
+
+ def quit(self) -> None:
+ self._BaseServer__shutdown_request = True
+ return None
+
+ def add_rpc_function(self, name: str, function_bytes: xmlrpc.client.Binary):
+ """Add a function to the server.
+
+ This is meant to be executed remotely.
+
+ Args:
+ name: The name of the function.
+ function_bytes: The code of the function.
+ """
+ function_code = marshal.loads(function_bytes.data)
+ function = types.FunctionType(function_code, globals(), name)
+ self.register_function(function)
+
+ def serve_forever(self, poll_interval: float = 0.5) -> None:
+ print("XMLRPC OK")
+ super().serve_forever(poll_interval)
+
class ScapyTrafficGenerator(CapturingTrafficGenerator):
"""Provides access to scapy functions via an RPC interface.
@@ -41,10 +180,19 @@ class ScapyTrafficGenerator(CapturingTrafficGenerator):
Arguments:
tg_node: The node where the traffic generator resides.
config: The user configuration of the traffic generator.
+
+ Attributes:
+ session: The exclusive interactive remote session created by the Scapy
+ traffic generator where the XML-RPC server runs.
+ rpc_server_proxy: The object used by clients to execute functions
+ on the XML-RPC server.
"""
+ session: PythonShell
+ rpc_server_proxy: xmlrpc.client.ServerProxy
_config: ScapyTrafficGeneratorConfig
_tg_node: TGNode
+ _logger: DTSLOG
def __init__(self, tg_node: TGNode, config: ScapyTrafficGeneratorConfig):
self._config = config
@@ -57,8 +205,58 @@ def __init__(self, tg_node: TGNode, config: ScapyTrafficGeneratorConfig):
self._tg_node.config.os == OS.linux
), "Linux is the only supported OS for scapy traffic generation"
+ self.session = self._tg_node.create_interactive_shell(
+ PythonShell, timeout=5, privileged=True
+ )
+
+ # import libs in remote python console
+ for import_statement in SCAPY_RPC_SERVER_IMPORTS:
+ self.session.send_command(import_statement)
+
+ # start the server
+ xmlrpc_server_listen_port = 8000
+ self._start_xmlrpc_server_in_remote_python(xmlrpc_server_listen_port)
+
+ # connect to the server
+ server_url = (
+ f"http://{self._tg_node.config.hostname}:{xmlrpc_server_listen_port}"
+ )
+ self.rpc_server_proxy = xmlrpc.client.ServerProxy(
+ server_url, allow_none=True, verbose=SETTINGS.verbose
+ )
+
+ # add functions to the server
+ for function in RPC_FUNCTIONS:
+ # A slightly hacky way to move a function to the remote server.
+ # It is constructed from the name and code on the other side.
+ # Pickle cannot handle functions, nor can any of the other serialization
+ # frameworks aside from the libraries used to generate pyc files, which
+ # are even more messy to work with.
+ function_bytes = marshal.dumps(function.__code__)
+ self.rpc_server_proxy.add_rpc_function(function.__name__, function_bytes)
+
+ def _start_xmlrpc_server_in_remote_python(self, listen_port: int):
+ # load the source of the function
+ src = inspect.getsource(QuittableXMLRPCServer)
+ # Lines with only whitespace break the repl if in the middle of a function
+ # or class, so strip all lines containing only whitespace
+ src = "\n".join(
+ [line for line in src.splitlines() if not line.isspace() and line != ""]
+ )
+
+ spacing = "\n" * 4
+
+ # execute it in the python terminal
+ self.session.send_command(spacing + src + spacing)
+ self.session.send_command(
+ f"server = QuittableXMLRPCServer(('0.0.0.0', {listen_port}));"
+ f"server.serve_forever()",
+ "XMLRPC OK",
+ )
+
def _send_packets(self, packets: list[Packet], port: Port) -> None:
- raise NotImplementedError()
+ packets = [packet.build() for packet in packets]
+ self.rpc_server_proxy.scapy_send_packets(packets, port.logical_name)
def _send_packets_and_capture(
self,
@@ -68,7 +266,25 @@ def _send_packets_and_capture(
duration: float,
capture_name: str = _get_default_capture_name(),
) -> list[Packet]:
- raise NotImplementedError()
+ binary_packets = [packet.build() for packet in packets]
+
+ xmlrpc_packets: list[
+ xmlrpc.client.Binary
+ ] = self.rpc_server_proxy.scapy_send_packets_and_capture(
+ binary_packets,
+ send_port.logical_name,
+ receive_port.logical_name,
+ duration,
+ ) # type: ignore[assignment]
+
+ scapy_packets = [Ether(packet.data) for packet in xmlrpc_packets]
+ return scapy_packets
def close(self):
- pass
+ try:
+ self.rpc_server_proxy.quit()
+ except ConnectionRefusedError:
+ # Because the python instance closes, we get no RPC response.
+ # Thus, this error is expected
+ pass
+ self.session.close()
--
2.34.1
next prev parent reply other threads:[~2023-07-19 14:13 UTC|newest]
Thread overview: 29+ messages / expand[flat|nested] mbox.gz Atom feed top
2023-04-20 9:31 [RFC PATCH v1 0/5] dts: add tg abstractions and scapy Juraj Linkeš
2023-04-20 9:31 ` [RFC PATCH v1 1/5] dts: add scapy dependency Juraj Linkeš
2023-04-20 9:31 ` [RFC PATCH v1 2/5] dts: add traffic generator config Juraj Linkeš
2023-04-20 9:31 ` [RFC PATCH v1 3/5] dts: traffic generator abstractions Juraj Linkeš
2023-04-20 9:31 ` [RFC PATCH v1 4/5] dts: scapy traffic generator implementation Juraj Linkeš
2023-04-20 9:31 ` [RFC PATCH v1 5/5] dts: add traffic generator node to dts runner Juraj Linkeš
2023-05-03 18:02 ` Jeremy Spewock
2023-07-17 11:07 ` [PATCH v2 0/6] dts: tg abstractions and scapy tg Juraj Linkeš
2023-07-17 11:07 ` [PATCH v2 1/6] dts: add scapy dependency Juraj Linkeš
2023-07-17 11:07 ` [PATCH v2 2/6] dts: add traffic generator config Juraj Linkeš
2023-07-18 15:55 ` Jeremy Spewock
2023-07-19 12:57 ` Juraj Linkeš
2023-07-19 13:18 ` Jeremy Spewock
2023-07-17 11:07 ` [PATCH v2 3/6] dts: traffic generator abstractions Juraj Linkeš
2023-07-18 19:56 ` Jeremy Spewock
2023-07-19 13:23 ` Juraj Linkeš
2023-07-17 11:07 ` [PATCH v2 4/6] dts: add python remote interactive shell Juraj Linkeš
2023-07-17 11:07 ` [PATCH v2 5/6] dts: scapy traffic generator implementation Juraj Linkeš
2023-07-17 11:07 ` [PATCH v2 6/6] dts: add basic UDP test case Juraj Linkeš
2023-07-18 21:04 ` [PATCH v2 0/6] dts: tg abstractions and scapy tg Jeremy Spewock
2023-07-19 14:12 ` [PATCH v3 " Juraj Linkeš
2023-07-19 14:12 ` [PATCH v3 1/6] dts: add scapy dependency Juraj Linkeš
2023-07-19 14:12 ` [PATCH v3 2/6] dts: add traffic generator config Juraj Linkeš
2023-07-19 14:13 ` [PATCH v3 3/6] dts: traffic generator abstractions Juraj Linkeš
2023-07-19 14:13 ` [PATCH v3 4/6] dts: add python remote interactive shell Juraj Linkeš
2023-07-19 14:13 ` Juraj Linkeš [this message]
2023-07-19 14:13 ` [PATCH v3 6/6] dts: add basic UDP test case Juraj Linkeš
2023-07-20 15:21 ` Jeremy Spewock
2023-07-24 14:23 ` [PATCH v3 0/6] dts: tg abstractions and scapy tg Thomas Monjalon
Reply instructions:
You may reply publicly to this message via plain-text email
using any one of the following methods:
* Save the following mbox file, import it into your mail client,
and reply-to-all from there: mbox
Avoid top-posting and favor interleaved quoting:
https://en.wikipedia.org/wiki/Posting_style#Interleaved_style
* Reply using the --to, --cc, and --in-reply-to
switches of git-send-email(1):
git send-email \
--in-reply-to=20230719141303.33284-6-juraj.linkes@pantheon.tech \
--to=juraj.linkes@pantheon.tech \
--cc=Honnappa.Nagarahalli@arm.com \
--cc=bruce.richardson@intel.com \
--cc=dev@dpdk.org \
--cc=jspewock@iol.unh.edu \
--cc=lijuan.tu@intel.com \
--cc=probb@iol.unh.edu \
--cc=thomas@monjalon.net \
/path/to/YOUR_REPLY
https://kernel.org/pub/software/scm/git/docs/git-send-email.html
* If your mail client supports setting the In-Reply-To header
via mailto: links, try the mailto: link
Be sure your reply has a Subject: header at the top and a blank line
before the message body.
This is a public inbox, see mirroring instructions
for how to clone and mirror all data and code used for this inbox;
as well as URLs for NNTP newsgroup(s).