trace-forwarder: Support Hybrid VSOCK

Add support for Hybrid VSOCK. Unlike standard vsock (`vsock(7)`), under
hybrid VSOCK, the hypervisor creates a "master" *UNIX* socket on the
host. For guest-initiated VSOCK connections (such as the Kata agent uses
for agent tracing), the hypervisor will then attempt to open a VSOCK
port-specific variant of the socket which it expects a server to be
listening on. Running the trace forwarder with the new `--socket-path`
option and passing it the Hypervisor specific master UNIX socket path,
the trace forwarder will listen on the VSOCK port-specific socket path
to handle Kata agent traces.

For further details and examples, see the README or run the
trace forwarder with `--help`.

Fixes: #2786.

Signed-off-by: James O. D. Hunt <james.o.hunt@intel.com>
This commit is contained in:
James O. D. Hunt 2021-10-11 14:42:49 +01:00
parent baf4784a29
commit 5b3a349db5
6 changed files with 851 additions and 134 deletions

View File

@ -1,4 +1,4 @@
# Copyright (c) 2020 Intel Corporation
# Copyright (c) 2020-2021 Intel Corporation
#
# SPDX-License-Identifier: Apache-2.0
#
@ -17,6 +17,7 @@ vendor:
cargo vendor
test:
@cargo test --all -- --nocapture
install:

View File

@ -8,13 +8,133 @@ which runs inside the virtual machine.
The trace forwarder, which must be started before the agent, listens over
VSOCK for trace data sent by the agent running inside the virtual machine. The
trace spans are exported to an OpenTelemetry collector (such as Jaeger) running by
default on the host.
trace spans are exported to an OpenTelemetry collector (such as Jaeger)
running by default on the host.
## Quick start
1. Start the OpenTelemetry collector (such as Jaeger).
1. [Start the trace forwarder](#run).
1. Ensure agent tracing is enabled in the Kata configuration file.
1. Create a Kata container as usual.
## Run
The way the trace forwarder is run depends on the configured hypervisor.
### Determine configured hypervisor
To identify which hypervisor Kata is configured to use, either look in the
configuration file, or run:
```bash
$ kata-runtime env --json|jq '.Hypervisor.Path'
```
### QEMU
Since QEMU supports VSOCK sockets in the standard way, if you are using QEMU
simply run the trace forwarder using the default options:
#### Run the forwarder
```bash
$ cargo run
```
You can now proceed to create a Kata container as normal.
### Cloud Hypervisor and Firecracker
Cloud Hypervisor and Firecracker both use "hybrid VSOCK" which uses a local
UNIX socket rather than the host kernel to handle communication with the
guest. As such, you need to specify the path to the UNIX socket.
Since the trace forwarder needs to be run before the VM (sandbox) is started
and since the socket path is sandbox-specific, you need to run the `env`
command to determine the "template path". This path includes a `{ID}` tag that
represents the real sandbox ID or name.
### Examples
#### Configured hypervisor is Cloud Hypervisor
```bash
$ socket_path=$(sudo kata-runtime env --json | jq '.Hypervisor.SocketPath')
$ echo "$socket_path"
"/run/vc/vm/{ID}/clh.sock"
```
#### Configured hypervisor is Firecracker
```bash
$ socket_path=$(sudo kata-runtime env --json | jq '.Hypervisor.SocketPath')
$ echo "$socket_path"
"/run/vc/firecracker/{ID}/root/kata.hvsock"
```
> **Note:**
>
> Do not rely on the paths shown above: you should run the command yourself
> as these paths _may_ change.
Once you have determined the template path, build and install the forwarder,
create the sandbox directory and then run the trace forwarder.
#### Build and install
If you are using the [QEMU hypervisor](#qemu), this step is not necessary.
If you are using Cloud Hypervisor of Firecracker, using the tool is simpler if
it has been installed.
##### Build
```bash
$ make
```
##### Install
```bash
$ cargo install --path .
$ sudo install -o root -g root -m 0755 ~/.cargo/bin/kata-trace-forwarder /usr/local/bin
```
#### Create sandbox directory
You will need to change the `sandbox_id` variable below to match the name of
the container (sandbox) you plan to create _after_ starting the trace
forwarder.
The `socket_path` variable was set in the
[Cloud Hypervisor and Firecracker](#cloud-hypervisor-and-firecracker) section.
```bash
$ sandbox_id="foo"
$ sudo mkdir -p $(dirname "$socket_path")
```
#### Run the forwarder specifying socket path
```bash
$ sudo kata-trace-forwarder --socket-path "$socket_path"
```
You can now proceed as normal to create the "foo" Kata container.
> **Note:**
>
> Since the trace forwarder needs to create the socket in the sandbox
> directory, and since that directory is owned by the `root` user, the trace
> forwarder must also be run as `root`. This requirement is unique to
> hypervisors that use hybrid VSOCK: QEMU does not require special privileges
> to run the trace forwarder.
## Full details
Run:
```
```bash
$ cargo run -- --help
```

View File

@ -1,15 +1,16 @@
// Copyright (c) 2020 Intel Corporation
// Copyright (c) 2020-2021 Intel Corporation
//
// SPDX-License-Identifier: Apache-2.0
//
use anyhow::{anyhow, Context, Result};
use byteorder::{ByteOrder, NetworkEndian};
use futures::executor::block_on;
use opentelemetry::sdk::export::trace::{SpanData, SpanExporter};
use slog::{debug, info, o, Logger};
use std::fs::File;
use std::io::{ErrorKind, Read};
use std::net::Shutdown;
use vsock::VsockStream;
use std::os::unix::io::{FromRawFd, RawFd};
// The VSOCK "packet" protocol used comprises two elements:
//
@ -28,14 +29,13 @@ fn mk_io_err(msg: &str) -> std::io::Error {
std::io::Error::new(std::io::ErrorKind::Other, msg.to_string())
}
pub async fn handle_connection<'a>(
async fn handle_async_connection<'a>(
logger: Logger,
mut conn: VsockStream,
mut conn: &'a mut dyn Read,
exporter: &'a mut dyn SpanExporter,
dump_only: bool,
) -> Result<()> {
let logger = logger.new(o!("subsystem" => "handler",
"connection" => format!("{:?}", conn)));
let logger = logger.new(o!("subsystem" => "handler"));
debug!(logger, "handling connection");
@ -43,12 +43,7 @@ pub async fn handle_connection<'a>(
.await
.map_err(|e| mk_io_err(&format!("failed to handle data: {:}", e)))?;
debug!(&logger, "handled data");
conn.shutdown(Shutdown::Read)
.map_err(|e| mk_io_err(&format!("shutdown failed: {:}", e)))?;
debug!(&logger, "shutdown connection");
debug!(&logger, "handled connection");
Ok(())
}
@ -83,7 +78,7 @@ async fn handle_trace_data<'a>(
reader
.read_exact(&mut encoded_payload)
.with_context(|| format!("failed to read payload"))?;
.with_context(|| "failed to read payload")?;
debug!(logger, "read payload");
@ -95,9 +90,7 @@ async fn handle_trace_data<'a>(
if dump_only {
debug!(logger, "dump-only: {:?}", span_data);
} else {
let mut batch = Vec::<SpanData>::new();
batch.push(span_data);
let batch = vec![span_data];
// Call low-level Jaeger exporter to send the trace span immediately.
let result = exporter.export(batch).await;
@ -112,3 +105,18 @@ async fn handle_trace_data<'a>(
Ok(())
}
pub fn handle_connection(
logger: Logger,
fd: RawFd,
exporter: &mut dyn SpanExporter,
dump_only: bool,
) -> Result<()> {
let mut file = unsafe { File::from_raw_fd(fd) };
let conn = handle_async_connection(logger, &mut file, exporter, dump_only);
block_on(conn)?;
Ok(())
}

View File

@ -1,4 +1,4 @@
// Copyright (c) 2020 Intel Corporation
// Copyright (c) 2020-2021 Intel Corporation
//
// SPDX-License-Identifier: Apache-2.0
//
@ -14,13 +14,46 @@ use std::process::exit;
// Traces will be created using this program name
const DEFAULT_TRACE_NAME: &str = "kata-agent";
const VSOCK_CID_ANY: &str = "any";
const ABOUT_TEXT: &str = "Kata Containers Trace Forwarder";
const DESCRIPTION_TEXT: &str = r#"
DESCRIPTION:
Kata Containers component that runs on the host and forwards
trace data from the container to a trace collector on the host."#;
trace data from the container to a trace collector on the host.
This tool requires agent tracing to be enabled in the Kata
configuration file. It uses VSOCK to listen for trace data originating
from the Kata agent running inside the Kata Container.
The variety of VSOCK used depends on the configuration hypervisor:
|------------------------|--------------------|----------------|
| Hypervisor | Type of VSOCK | Run as user |
|------------------------|--------------------|----------------|
| Cloud Hypervisor (CLH) | Firecracker Hybrid | privileged |
|------------------------|--------------------|----------------|
| QEMU | Standard | non-privileged |
|------------------------|--------------------|----------------|
| Firecracker (FC) | Firecracker Hybrid | privileged |
|------------------------|--------------------|----------------|
Key:
- Firecracker Hybrid VSOCK: See the Firecracker
VSOCK documentation.
- Standard VSOCK: see vsock(7).
The way this tool is run depends on the configured hypervisor.
See EXAMPLES for further information.
Note that Hybrid VSOCK requries root privileges. Due to the way the
hybrid protocol works, the specified "master socket" itself is not used: to
communicate with the agent, this tool must generate a socket path using
the specified socket path as a prefix. Since the master socket will be
created in a root-owned directory when the Kata Containers VM (sandbox) is
created, this tool must be run as root to allow it to create the second
agent-specific socket.
"#;
const DEFAULT_LOG_LEVEL: slog::Level = slog::Level::Info;
@ -35,6 +68,12 @@ const DEFAULT_JAEGER_PORT: &str = "6831";
mod handler;
mod server;
mod tracer;
mod utils;
use crate::utils::{
make_hybrid_socket_path, str_to_vsock_cid, str_to_vsock_port, VSOCK_CID_ANY_STR,
};
use server::VsockType;
fn announce(logger: &Logger, version: &str, dump_only: bool) {
let commit = env::var("VERSION_COMMIT").map_or(String::new(), |s| s);
@ -49,17 +88,45 @@ fn make_examples_text(program_name: &str) -> String {
format!(
r#"EXAMPLES:
- Normally run on host specifying VSOCK port number
for Kata Containers agent to connect to:
- Example assuming QEMU is the Kata configured hypervisor:
$ {program} --trace-name {trace_name:?} -p 12345
$ {program} --trace-name {trace_name:?}
- Example assuming cloud-hypervisor is the Kata configured hypervisor
and the sandbox _about_ to be created will be called {sandbox_id:?}:
$ sandbox_id={sandbox_id:?}
$ sudo {program} --trace-name {trace_name:?} --socket-path /run/vc/vm/{sandbox_id}/clh.sock
- Example assuming firecracker is the Kata configured hypervisor
and the sandbox _about_ to be created will be called {sandbox_id:?}:
$ sandbox_id={sandbox_id:?}
$ sudo {program} --trace-name {trace_name:?} --socket-path /run/vc/firecracker/{sandbox_id}/root/kata.hvsock
"#,
program = program_name,
trace_name = DEFAULT_TRACE_NAME,
sandbox_id = "foo"
)
}
fn handle_hybrid_vsock(socket_path: &str, port: Option<&str>) -> Result<VsockType> {
let socket_path = make_hybrid_socket_path(socket_path, port, DEFAULT_KATA_VSOCK_TRACING_PORT)?;
let vsock = VsockType::Hybrid { socket_path };
Ok(vsock)
}
fn handle_standard_vsock(cid: Option<&str>, port: Option<&str>) -> Result<VsockType> {
let cid = str_to_vsock_cid(cid)?;
let port = str_to_vsock_port(port, DEFAULT_KATA_VSOCK_TRACING_PORT)?;
let vsock = VsockType::Standard { port, cid };
Ok(vsock)
}
fn real_main() -> Result<()> {
let version = crate_version!();
let name = crate_name!();
@ -107,78 +174,33 @@ fn real_main() -> Result<()> {
.takes_value(true)
.required(false),
)
.arg(
Arg::with_name("socket-path")
.long("socket-path")
.help("Full path to hypervisor socket (needs root! cloud-hypervisor and firecracker hypervisors only)")
.takes_value(true)
.required(false),
)
.arg(
Arg::with_name("vsock-cid")
.long("vsock-cid")
.help(&format!("VSOCK CID number (or {:?})", VSOCK_CID_ANY))
.help(&format!(
"VSOCK CID number (or {:?}) (QEMU hypervisor only)",
VSOCK_CID_ANY_STR
))
.takes_value(true)
.required(false)
.default_value(VSOCK_CID_ANY),
.default_value(VSOCK_CID_ANY_STR),
)
.arg(
Arg::with_name("vsock-port")
.long("vsock-port")
.help("VSOCK port number")
.help("VSOCK port number (QEMU hypervisor only)")
.takes_value(true)
.default_value(DEFAULT_KATA_VSOCK_TRACING_PORT),
)
.get_matches();
let vsock_port: u32 = args
.value_of("vsock-port")
.ok_or(anyhow!("Need VSOCK port number"))
.map_or_else(
|e| Err(anyhow!(e)),
|p| {
p.parse::<u32>()
.map_err(|e| anyhow!(format!("VSOCK port number must be an integer: {:?}", e)))
},
)?;
if vsock_port == 0 {
return Err(anyhow!("VSOCK port number cannot be zero"));
}
let vsock_cid: u32 = args
.value_of("vsock-cid")
.ok_or(libc::VMADDR_CID_ANY as u32)
.map_or_else(
|e| Err(anyhow!(e)),
|c| {
if c == VSOCK_CID_ANY {
// Explicit request for "any CID"
Ok(libc::VMADDR_CID_ANY as u32)
} else {
c.parse::<u32>()
.map_err(|e| anyhow!(format!("CID number must be an integer: {:?}", e)))
}
},
)
.map_err(|e| anyhow!(e))?;
if vsock_cid == 0 {
return Err(anyhow!("VSOCK CID cannot be zero"));
}
let jaeger_port: u32 = args
.value_of("jaeger-port")
.ok_or("Need Jaeger port number")
.map(|p| p.parse::<u32>().unwrap())
.map_err(|e| anyhow!("Jaeger port number must be an integer: {:?}", e))?;
if jaeger_port == 0 {
return Err(anyhow!("Jaeger port number cannot be zero"));
}
let jaeger_host = args
.value_of("jaeger-host")
.ok_or("Need Jaeger host")
.map_err(|e| anyhow!(e))?;
if jaeger_host == "" {
return Err(anyhow!("Jaeger host cannot be blank"));
}
// Cannot fail as a default has been specified
let log_level_name = args.value_of("log-level").unwrap();
@ -198,7 +220,7 @@ fn real_main() -> Result<()> {
.map_or_else(
|e| Err(anyhow!(e)),
|n| {
if n == "" {
if n.is_empty() {
Err(anyhow!("Need non-blank trace name"))
} else {
Ok(n)
@ -206,10 +228,36 @@ fn real_main() -> Result<()> {
},
)?;
let mut server = server::VsockTraceServer::new(
// Handle the Hybrid VSOCK option first (since it cannot be defaulted).
let vsock = if let Some(socket_path) = args.value_of("socket-path") {
handle_hybrid_vsock(socket_path, args.value_of("vsock-port"))
} else {
// The default is standard VSOCK
handle_standard_vsock(args.value_of("vsock-cid"), args.value_of("vsock-port"))
}?;
let jaeger_port: u32 = args
.value_of("jaeger-port")
.ok_or("Need Jaeger port number")
.map(|p| p.parse::<u32>().unwrap())
.map_err(|e| anyhow!("Jaeger port number must be an integer: {:?}", e))?;
if jaeger_port == 0 {
return Err(anyhow!("Jaeger port number cannot be zero"));
}
let jaeger_host = args
.value_of("jaeger-host")
.ok_or("Need Jaeger host")
.map_err(|e| anyhow!(e))?;
if jaeger_host.is_empty() {
return Err(anyhow!("Jaeger host cannot be blank"));
}
let server = server::VsockTraceServer::new(
&logger,
vsock_port,
vsock_cid,
vsock,
jaeger_host,
jaeger_port,
trace_name,
@ -228,13 +276,151 @@ fn real_main() -> Result<()> {
}
fn main() {
match real_main() {
Err(e) => {
eprintln!("ERROR: {}", e);
exit(1);
}
_ => (),
};
if let Err(e) = real_main() {
eprintln!("ERROR: {}", e);
exit(1);
}
exit(0);
}
#[cfg(test)]
mod tests {
use super::*;
use crate::assert_result;
use utils::{
ERR_HVSOCK_SOC_PATH_EMPTY, ERR_VSOCK_CID_EMPTY, ERR_VSOCK_CID_NOT_NUMERIC,
ERR_VSOCK_PORT_EMPTY, ERR_VSOCK_PORT_NOT_NUMERIC, ERR_VSOCK_PORT_ZERO, VSOCK_CID_ANY,
};
#[test]
fn test_handle_hybrid_vsock() {
#[derive(Debug)]
struct TestData<'a> {
socket_path: &'a str,
port: Option<&'a str>,
result: Result<VsockType>,
}
let tests = &[
TestData {
socket_path: "",
port: None,
result: Err(anyhow!(ERR_HVSOCK_SOC_PATH_EMPTY)),
},
TestData {
socket_path: "/foo/bar",
port: None,
result: Ok(VsockType::Hybrid {
socket_path: format!("/foo/bar_{}", DEFAULT_KATA_VSOCK_TRACING_PORT),
}),
},
TestData {
socket_path: "/foo/bar",
port: Some(""),
result: Err(anyhow!(ERR_VSOCK_PORT_EMPTY)),
},
TestData {
socket_path: "/foo/bar",
port: Some("foo bar"),
result: Err(anyhow!(ERR_VSOCK_PORT_NOT_NUMERIC)),
},
TestData {
socket_path: "/foo/bar",
port: Some("9"),
result: Ok(VsockType::Hybrid {
socket_path: "/foo/bar_9".into(),
}),
},
];
for (i, d) in tests.iter().enumerate() {
let msg = format!("test[{}]: {:?}", i, d);
let result = handle_hybrid_vsock(d.socket_path, d.port);
let msg = format!("{}: result: {:?}", msg, result);
assert_result!(d.result, result, msg);
}
}
#[test]
fn test_handle_standard_vsock() {
#[derive(Debug)]
struct TestData<'a> {
cid: Option<&'a str>,
port: Option<&'a str>,
result: Result<VsockType>,
}
let tests = &[
TestData {
cid: None,
port: None,
result: Ok(VsockType::Standard {
cid: VSOCK_CID_ANY,
port: DEFAULT_KATA_VSOCK_TRACING_PORT.parse::<u32>().unwrap(),
}),
},
TestData {
cid: Some(""),
port: None,
result: Err(anyhow!(ERR_VSOCK_CID_EMPTY)),
},
TestData {
cid: Some("1"),
port: Some(""),
result: Err(anyhow!(ERR_VSOCK_PORT_EMPTY)),
},
TestData {
cid: Some("1 foo"),
port: None,
result: Err(anyhow!(ERR_VSOCK_CID_NOT_NUMERIC)),
},
TestData {
cid: None,
port: Some("1 foo"),
result: Err(anyhow!(ERR_VSOCK_PORT_NOT_NUMERIC)),
},
TestData {
cid: Some("1"),
port: Some("0"),
result: Err(anyhow!(ERR_VSOCK_PORT_ZERO)),
},
TestData {
cid: Some("1"),
port: None,
result: Ok(VsockType::Standard {
cid: 1,
port: DEFAULT_KATA_VSOCK_TRACING_PORT.parse::<u32>().unwrap(),
}),
},
TestData {
cid: Some("123"),
port: Some("999"),
result: Ok(VsockType::Standard {
cid: 123,
port: 999,
}),
},
TestData {
cid: Some(VSOCK_CID_ANY_STR),
port: Some("999"),
result: Ok(VsockType::Standard {
cid: VSOCK_CID_ANY,
port: 999,
}),
},
];
for (i, d) in tests.iter().enumerate() {
let msg = format!("test[{}]: {:?}", i, d);
let result = handle_standard_vsock(d.cid, d.port);
let msg = format!("{}: result: {:?}", msg, result);
assert_result!(d.result, result, msg);
}
}
}

View File

@ -4,17 +4,24 @@
//
use crate::handler;
use anyhow::Result;
use futures::executor::block_on;
use slog::{debug, error, info, o, Logger};
use anyhow::{anyhow, Result};
use opentelemetry::sdk::export::trace::SpanExporter;
use slog::{debug, o, Logger};
use std::os::unix::io::AsRawFd;
use std::os::unix::net::UnixListener;
use vsock::{SockAddr, VsockListener};
use crate::tracer;
#[derive(Debug, Clone, PartialEq)]
pub enum VsockType {
Standard { port: u32, cid: u32 },
Hybrid { socket_path: String },
}
#[derive(Debug)]
pub struct VsockTraceServer {
pub vsock_port: u32,
pub vsock_cid: u32,
pub vsock: VsockType,
pub jaeger_host: String,
pub jaeger_port: u32,
@ -27,8 +34,7 @@ pub struct VsockTraceServer {
impl VsockTraceServer {
pub fn new(
logger: &Logger,
vsock_port: u32,
vsock_cid: u32,
vsock: VsockType,
jaeger_host: &str,
jaeger_port: u32,
jaeger_service_name: &str,
@ -37,8 +43,7 @@ impl VsockTraceServer {
let logger = logger.new(o!("subsystem" => "server"));
VsockTraceServer {
vsock_port,
vsock_cid,
vsock,
jaeger_host: jaeger_host.to_string(),
jaeger_port,
jaeger_service_name: jaeger_service_name.to_string(),
@ -47,13 +52,7 @@ impl VsockTraceServer {
}
}
pub fn start(&mut self) -> Result<()> {
let sock_addr = SockAddr::new_vsock(self.vsock_cid, self.vsock_port);
let listener = VsockListener::bind(&sock_addr)?;
info!(self.logger, "listening for client connections"; "vsock-port" => self.vsock_port, "vsock-cid" => self.vsock_cid);
pub fn start(&self) -> Result<()> {
let result = tracer::create_jaeger_trace_exporter(
self.jaeger_service_name.clone(),
self.jaeger_host.clone(),
@ -62,27 +61,73 @@ impl VsockTraceServer {
let mut exporter = result?;
for conn in listener.incoming() {
debug!(self.logger, "got client connection");
match conn {
Err(e) => {
error!(self.logger, "client connection failed"; "error" => format!("{}", e))
}
Ok(conn) => {
debug!(self.logger, "client connection successful");
let logger = self.logger.new(o!());
let f = handler::handle_connection(logger, conn, &mut exporter, self.dump_only);
block_on(f)?;
}
}
debug!(self.logger, "handled client connection");
match &self.vsock {
VsockType::Standard { port, cid } => start_std_vsock(
self.logger.clone(),
&mut exporter,
*port,
*cid,
self.dump_only,
),
VsockType::Hybrid { socket_path } => start_hybrid_vsock(
self.logger.clone(),
&mut exporter,
socket_path,
self.dump_only,
),
}
Ok(())
}
}
fn start_hybrid_vsock(
logger: Logger,
exporter: &mut dyn SpanExporter,
socket_path: &str,
dump_only: bool,
) -> Result<()> {
// Remove the socket if it already exists
let _ = std::fs::remove_file(socket_path);
let listener =
UnixListener::bind(socket_path).map_err(|e| anyhow!("You need to be root: {:?}", e))?;
debug!(logger, "Waiting for connections";
"vsock-type" => "hybrid",
"vsock-socket-path" => socket_path);
for conn in listener.incoming() {
let conn = conn?;
let fd = conn.as_raw_fd();
handler::handle_connection(logger.clone(), fd, exporter, dump_only)?;
}
Ok(())
}
fn start_std_vsock(
logger: Logger,
exporter: &mut dyn SpanExporter,
port: u32,
cid: u32,
dump_only: bool,
) -> Result<()> {
let sock_addr = SockAddr::new_vsock(cid, port);
let listener = VsockListener::bind(&sock_addr)?;
debug!(logger, "Waiting for connections";
"vsock-type" => "standard",
"vsock-cid" => cid,
"vsock-port" => port);
for conn in listener.incoming() {
let conn = conn?;
let fd = conn.as_raw_fd();
handler::handle_connection(logger.clone(), fd, exporter, dump_only)?;
}
Ok(())
}

View File

@ -0,0 +1,357 @@
// Copyright (c) 2021 Intel Corporation
//
// SPDX-License-Identifier: Apache-2.0
//
use anyhow::{anyhow, Result};
// Request for "any CID"
pub const VSOCK_CID_ANY_STR: &str = "any";
// Numeric equivalent to VSOCK_CID_ANY_STR
pub const VSOCK_CID_ANY: u32 = libc::VMADDR_CID_ANY;
pub const ERR_VSOCK_PORT_EMPTY: &str = "VSOCK port cannot be empty";
pub const ERR_VSOCK_PORT_NOT_NUMERIC: &str = "VSOCK port number must be an integer";
pub const ERR_VSOCK_PORT_ZERO: &str = "VSOCK port number cannot be zero";
pub const ERR_VSOCK_CID_EMPTY: &str = "VSOCK CID cannot be empty";
pub const ERR_VSOCK_CID_NOT_NUMERIC: &str = "VSOCK CID must be an integer";
pub const ERR_HVSOCK_SOC_PATH_EMPTY: &str = "Hybrid VSOCK socket path cannot be empty";
// Parameters:
//
// 1: expected Result
// 2: actual Result
// 3: string used to identify the test on error
#[macro_export]
macro_rules! assert_result {
($expected_result:expr, $actual_result:expr, $msg:expr) => {
if $expected_result.is_ok() {
let expected_level = $expected_result.as_ref().unwrap();
let actual_level = $actual_result.unwrap();
assert!(*expected_level == actual_level, "{}", $msg);
} else {
let expected_error = $expected_result.as_ref().unwrap_err();
let expected_error_msg = format!("{:?}", expected_error);
if let Err(actual_error) = $actual_result {
let actual_error_msg = format!("{:?}", actual_error);
assert!(expected_error_msg == actual_error_msg, "{}", $msg);
} else {
assert!(expected_error_msg == "expected error, got OK", "{}", $msg);
}
}
};
}
// Create a Hybrid VSOCK path from the specified socket, appending either
// the user specified port or the default port.
pub fn make_hybrid_socket_path(
socket_path: &str,
user_port: Option<&str>,
default_port: &str,
) -> Result<String> {
if socket_path.is_empty() {
return Err(anyhow!(ERR_HVSOCK_SOC_PATH_EMPTY));
}
let port_str = if let Some(user_port) = user_port {
user_port
} else {
default_port
};
let port = port_str_to_port(port_str)?;
let full_path = format!("{}_{}", socket_path, port);
Ok(full_path)
}
// Convert a string to a VSOCK CID value.
pub fn str_to_vsock_cid(cid: Option<&str>) -> Result<u32> {
let cid_str = if let Some(cid) = cid {
cid
} else {
VSOCK_CID_ANY_STR
};
let cid: u32 = match cid_str {
VSOCK_CID_ANY_STR => Ok(VSOCK_CID_ANY),
"" => return Err(anyhow!(ERR_VSOCK_CID_EMPTY)),
_ => cid_str
.parse::<u32>()
.map_err(|_| anyhow!(ERR_VSOCK_CID_NOT_NUMERIC)),
}?;
Ok(cid)
}
// Convert a user specified VSOCK port number string into a VSOCK port number,
// or use the default value if not specified.
pub fn str_to_vsock_port(port: Option<&str>, default_port: &str) -> Result<u32> {
let port_str = if let Some(port) = port {
port
} else {
default_port
};
let port = port_str_to_port(port_str)?;
Ok(port)
}
// Convert a string port value into a numeric value.
fn port_str_to_port(port: &str) -> Result<u32> {
if port.is_empty() {
return Err(anyhow!(ERR_VSOCK_PORT_EMPTY));
}
let port: u32 = port
.parse::<u32>()
.map_err(|_| anyhow!(ERR_VSOCK_PORT_NOT_NUMERIC))?;
if port == 0 {
return Err(anyhow!(ERR_VSOCK_PORT_ZERO));
}
Ok(port)
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_port_str_to_port() {
#[derive(Debug)]
struct TestData<'a> {
port: &'a str,
result: Result<u32>,
}
let tests = &[
TestData {
port: "",
result: Err(anyhow!(ERR_VSOCK_PORT_EMPTY)),
},
TestData {
port: "a",
result: Err(anyhow!(ERR_VSOCK_PORT_NOT_NUMERIC)),
},
TestData {
port: "foo bar",
result: Err(anyhow!(ERR_VSOCK_PORT_NOT_NUMERIC)),
},
TestData {
port: "1 bar",
result: Err(anyhow!(ERR_VSOCK_PORT_NOT_NUMERIC)),
},
TestData {
port: "0",
result: Err(anyhow!(ERR_VSOCK_PORT_ZERO)),
},
TestData {
port: "2",
result: Ok(2),
},
TestData {
port: "12345",
result: Ok(12345),
},
];
for (i, d) in tests.iter().enumerate() {
let msg = format!("test[{}]: {:?}", i, d);
let result = port_str_to_port(d.port);
let msg = format!("{}: result: {:?}", msg, result);
assert_result!(d.result, result, msg);
}
}
#[test]
fn test_str_to_vsock_port() {
#[derive(Debug)]
struct TestData<'a> {
port: Option<&'a str>,
default_port: &'a str,
result: Result<u32>,
}
let tests = &[
TestData {
port: None,
default_port: "",
result: Err(anyhow!(ERR_VSOCK_PORT_EMPTY)),
},
TestData {
port: None,
default_port: "foo",
result: Err(anyhow!(ERR_VSOCK_PORT_NOT_NUMERIC)),
},
TestData {
port: None,
default_port: "1 foo",
result: Err(anyhow!(ERR_VSOCK_PORT_NOT_NUMERIC)),
},
TestData {
port: None,
default_port: "0",
result: Err(anyhow!(ERR_VSOCK_PORT_ZERO)),
},
TestData {
port: None,
default_port: "1234",
result: Ok(1234),
},
TestData {
port: Some(""),
default_port: "1234",
result: Err(anyhow!(ERR_VSOCK_PORT_EMPTY)),
},
TestData {
port: Some("1 foo"),
default_port: "1234",
result: Err(anyhow!(ERR_VSOCK_PORT_NOT_NUMERIC)),
},
TestData {
port: Some("0"),
default_port: "1234",
result: Err(anyhow!(ERR_VSOCK_PORT_ZERO)),
},
];
for (i, d) in tests.iter().enumerate() {
let msg = format!("test[{}]: {:?}", i, d);
let result = str_to_vsock_port(d.port, d.default_port);
let msg = format!("{}: result: {:?}", msg, result);
assert_result!(d.result, result, msg);
}
}
#[test]
fn test_str_to_vsock_cid() {
#[derive(Debug)]
struct TestData<'a> {
cid: Option<&'a str>,
result: Result<u32>,
}
let tests = &[
TestData {
cid: None,
result: Ok(VSOCK_CID_ANY),
},
TestData {
cid: Some(VSOCK_CID_ANY_STR),
result: Ok(VSOCK_CID_ANY),
},
TestData {
cid: Some(""),
result: Err(anyhow!(ERR_VSOCK_CID_EMPTY)),
},
TestData {
cid: Some("foo"),
result: Err(anyhow!(ERR_VSOCK_CID_NOT_NUMERIC)),
},
TestData {
cid: Some("1 foo"),
result: Err(anyhow!(ERR_VSOCK_CID_NOT_NUMERIC)),
},
TestData {
cid: Some("123"),
result: Ok(123),
},
];
for (i, d) in tests.iter().enumerate() {
let msg = format!("test[{}]: {:?}", i, d);
let result = str_to_vsock_cid(d.cid);
let msg = format!("{}: result: {:?}", msg, result);
assert_result!(d.result, result, msg);
}
}
#[test]
fn test_make_hybrid_socket_path() {
#[derive(Debug)]
struct TestData<'a> {
socket_path: &'a str,
user_port: Option<&'a str>,
default_port: &'a str,
result: Result<String>,
}
let tests = &[
TestData {
socket_path: "",
user_port: None,
default_port: "",
result: Err(anyhow!(ERR_HVSOCK_SOC_PATH_EMPTY)),
},
TestData {
socket_path: "/foo",
user_port: None,
default_port: "",
result: Err(anyhow!(ERR_VSOCK_PORT_EMPTY)),
},
TestData {
socket_path: "/foo",
user_port: None,
default_port: "1 foo",
result: Err(anyhow!(ERR_VSOCK_PORT_NOT_NUMERIC)),
},
TestData {
socket_path: "/foo",
user_port: None,
default_port: "0",
result: Err(anyhow!(ERR_VSOCK_PORT_ZERO)),
},
TestData {
socket_path: "/foo",
user_port: None,
default_port: "1",
result: Ok("/foo_1".into()),
},
TestData {
socket_path: "/foo",
user_port: Some(""),
default_port: "1",
result: Err(anyhow!(ERR_VSOCK_PORT_EMPTY)),
},
TestData {
socket_path: "/foo",
user_port: Some("1 foo"),
default_port: "1",
result: Err(anyhow!(ERR_VSOCK_PORT_NOT_NUMERIC)),
},
TestData {
socket_path: "/foo",
user_port: Some("2"),
default_port: "1",
result: Ok("/foo_2".into()),
},
];
for (i, d) in tests.iter().enumerate() {
let msg = format!("test[{}]: {:?}", i, d);
let result = make_hybrid_socket_path(d.socket_path, d.user_port, d.default_port);
let msg = format!("{}: result: {:?}", msg, result);
assert_result!(d.result, result, msg);
}
}
}