Skip to content

Commit

Permalink
Refactored the Executor interface yet again
Browse files Browse the repository at this point in the history
I apologize having to refactor this interface yet again. Previously, we
introduced the executor to be a function pointer. This works out nicely
because the function pointer in rust can be clone-ed without hassel.
However, I realized that using function pointer is way to restrictive
for our users. The executor may wish to include additional context when
calling the exec function. The function pointer limited the input only
`oci spec`.

Signed-off-by: yihuaf <[email protected]>
  • Loading branch information
yihuaf committed Aug 1, 2023
1 parent 0fc4c87 commit 58703e0
Show file tree
Hide file tree
Showing 10 changed files with 118 additions and 36 deletions.
6 changes: 3 additions & 3 deletions crates/libcontainer/src/container/builder.rs
Original file line number Diff line number Diff line change
Expand Up @@ -22,7 +22,7 @@ pub struct ContainerBuilder {
pub(super) preserve_fds: i32,
/// The function that actually runs on the container init process. Default
/// is to execute the specified command in the oci spec.
pub(super) executor: Executor,
pub(super) executor: Box<dyn Executor>,
}

/// Builder that can be used to configure the common properties of
Expand Down Expand Up @@ -252,8 +252,8 @@ impl ContainerBuilder {
/// )
/// .with_executor(get_executor());
/// ```
pub fn with_executor(mut self, executor: Executor) -> Self {
self.executor = executor;
pub fn with_executor(mut self, executor: impl Executor + 'static) -> Self {
self.executor = Box::new(executor);
self
}
}
Expand Down
2 changes: 1 addition & 1 deletion crates/libcontainer/src/container/builder_impl.rs
Original file line number Diff line number Diff line change
Expand Up @@ -47,7 +47,7 @@ pub(super) struct ContainerBuilderImpl {
/// If the container is to be run in detached mode
pub detached: bool,
/// Default executes the specified execution of a generic command
pub executor: Executor,
pub executor: Box<dyn Executor>,
}

impl ContainerBuilderImpl {
Expand Down
2 changes: 1 addition & 1 deletion crates/libcontainer/src/process/args.rs
Original file line number Diff line number Diff line change
Expand Up @@ -40,5 +40,5 @@ pub struct ContainerArgs {
/// If the container is to be run in detached mode
pub detached: bool,
/// Manage the functions that actually run on the container
pub executor: Executor,
pub executor: Box<dyn Executor>,
}
22 changes: 13 additions & 9 deletions crates/libcontainer/src/process/container_init_process.rs
Original file line number Diff line number Diff line change
Expand Up @@ -678,16 +678,20 @@ pub fn container_init_process(
}
}

if proc.args().is_some() {
(args.executor)(spec).map_err(|err| {
tracing::error!(?err, "failed to execute payload");
err
})?;
unreachable!("should not be back here");
} else {
if proc.args().is_none() {
tracing::error!("on non-Windows, at least one process arg entry is required");
Err(MissingSpecError::Args)
}?
Err(MissingSpecError::Args)?;
}

args.executor.exec(spec).map_err(|err| {
tracing::error!(?err, "failed to execute payload");
err
})?;

// Once the executor is executed without error, it should not return. For
// example, the default executor is expected to call `exec` and replace the
// current process.
unreachable!("the executor should not return if it is successful.");
}

// Before 3.19 it was possible for an unprivileged user to enter an user namespace,
Expand Down
15 changes: 10 additions & 5 deletions crates/libcontainer/src/workload/default.rs
Original file line number Diff line number Diff line change
Expand Up @@ -5,10 +5,11 @@ use oci_spec::runtime::Spec;

use super::{Executor, ExecutorError, EMPTY};

/// Return the default executor. The default executor will execute the command
/// specified in the oci spec.
pub fn get_executor() -> Executor {
Box::new(|spec: &Spec| -> Result<(), ExecutorError> {
#[derive(Clone)]
pub struct DefaultExecutor {}

impl Executor for DefaultExecutor {
fn exec(&self, spec: &Spec) -> Result<(), ExecutorError> {
tracing::debug!("executing workload with default handler");
let args = spec
.process()
Expand Down Expand Up @@ -38,5 +39,9 @@ pub fn get_executor() -> Executor {
// After execvp is called, the process is replaced with the container
// payload through execvp, so it should never reach here.
unreachable!();
})
}
}

pub fn get_executor() -> Box<dyn Executor> {
Box::new(DefaultExecutor {})
}
47 changes: 46 additions & 1 deletion crates/libcontainer/src/workload/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -16,4 +16,49 @@ pub enum ExecutorError {
CantHandle(&'static str),
}

pub type Executor = Box<fn(&Spec) -> Result<(), ExecutorError>>;
// Here is an explaination about the complexity below regarding to

Check warning on line 19 in crates/libcontainer/src/workload/mod.rs

View workflow job for this annotation

GitHub Actions / check

"explaination" should be "explanation".

Check failure on line 19 in crates/libcontainer/src/workload/mod.rs

View workflow job for this annotation

GitHub Actions / check

`explaination` should be `explanation`
// CloneBoxExecutor and Executor traits. This is one of the places rust actually
// makes our life harder. The usecase for the executor is to allow users of
// `libcontainer` to pass in a closure like function where the actual execution
// of the container workload can be defined by user. To maximize the flexibility
// for the users, we use trait object to allow users to pass in a closure like
// objects, so the function can container any number of variables through the
// structure. This is similar to the Fn family of traits that rust std lib has.
// However, our usecase has a little bit more complexity than the Fn family of
// traits. We require the struct implementing this Executor traits to be
// cloneable, so we can pass the struct across fork/clone process boundry with

Check warning on line 29 in crates/libcontainer/src/workload/mod.rs

View workflow job for this annotation

GitHub Actions / check

"boundry" should be "boundary".

Check failure on line 29 in crates/libcontainer/src/workload/mod.rs

View workflow job for this annotation

GitHub Actions / check

`boundry` should be `boundary`
// memory safety. We can't make the Executor trait to require Clone trait
// because doing so will make the Executor trait not object safe. Part of the
// reason is that without the CloneBoxExecutor trait, the default clone
// implementation for Box<dyn trait> will first unwrap the box. However, the
// `dyn trait` inside the box doesn't have a size, which violates the object
// safety requirement for a trait. To work around this, we implement our own
// CloneBoxExecutor trait, which is object safe.
//
// Note to future maintainers: if you find a better way to do this or Rust
// introduced some new magical feature to simplify this logic, please consider
// to refactor this part.

pub trait CloneBoxExecutor {
fn clone_box(&self) -> Box<dyn Executor>;
}

pub trait Executor: CloneBoxExecutor {
/// Executes the workload
fn exec(&self, spec: &Spec) -> Result<(), ExecutorError>;
}

impl<T> CloneBoxExecutor for T
where
T: 'static + Executor + Clone,
{
fn clone_box(&self) -> Box<dyn Executor> {
Box::new(self.clone())
}
}

impl Clone for Box<dyn Executor> {
fn clone(&self) -> Self {
self.clone_box()
}
}
21 changes: 14 additions & 7 deletions crates/youki/src/workload/executor.rs
Original file line number Diff line number Diff line change
@@ -1,29 +1,36 @@
use libcontainer::oci_spec::runtime::Spec;
use libcontainer::workload::{Executor, ExecutorError};

pub fn default_executor() -> Executor {
Box::new(|spec: &Spec| -> Result<(), ExecutorError> {
#[derive(Clone)]
pub struct DefaultExecutor {}

impl Executor for DefaultExecutor {
fn exec(&self, spec: &Spec) -> Result<(), ExecutorError> {
#[cfg(feature = "wasm-wasmer")]
match super::wasmer::get_executor()(spec) {
match super::wasmer::get_executor().exec(spec) {
Ok(_) => return Ok(()),
Err(ExecutorError::CantHandle(_)) => (),
Err(err) => return Err(err),
}
#[cfg(feature = "wasm-wasmedge")]
match super::wasmedge::get_executor()(spec) {
match super::wasmedge::get_executor().exec(spec) {
Ok(_) => return Ok(()),
Err(ExecutorError::CantHandle(_)) => (),
Err(err) => return Err(err),
}
#[cfg(feature = "wasm-wasmtime")]
match super::wasmtime::get_executor()(spec) {
match super::wasmtime::get_executor().exec(spec) {
Ok(_) => return Ok(()),
Err(ExecutorError::CantHandle(_)) => (),
Err(err) => return Err(err),
}

// Leave the default executor as the last option, which executes normal
// container workloads.
libcontainer::workload::default::get_executor()(spec)
})
libcontainer::workload::default::get_executor().exec(spec)
}
}

pub fn default_executor() -> DefaultExecutor {
DefaultExecutor {}
}
13 changes: 10 additions & 3 deletions crates/youki/src/workload/wasmedge.rs
Original file line number Diff line number Diff line change
Expand Up @@ -8,8 +8,11 @@ use libcontainer::workload::{Executor, ExecutorError};

const EXECUTOR_NAME: &str = "wasmedge";

pub fn get_executor() -> Executor {
Box::new(|spec: &Spec| -> Result<(), ExecutorError> {
#[derive(Clone)]
pub struct WasmedgeExecutor {}

impl Executor for WasmedgeExecutor {
fn exec(&self, spec: &Spec) -> Result<(), ExecutorError> {
if !can_handle(spec) {
return Err(ExecutorError::CantHandle(EXECUTOR_NAME));
}
Expand Down Expand Up @@ -58,7 +61,11 @@ pub fn get_executor() -> Executor {
.map_err(|err| ExecutorError::Execution(err))?;

Ok(())
})
}
}

pub fn get_executor() -> WasmedgeExecutor {
WasmedgeExecutor {}
}

fn can_handle(spec: &Spec) -> bool {
Expand Down
13 changes: 10 additions & 3 deletions crates/youki/src/workload/wasmer.rs
Original file line number Diff line number Diff line change
Expand Up @@ -6,8 +6,11 @@ use libcontainer::workload::{Executor, ExecutorError, EMPTY};

const EXECUTOR_NAME: &str = "wasmer";

pub fn get_executor() -> Executor {
Box::new(|spec: &Spec| -> Result<(), ExecutorError> {
#[derive(Clone)]
pub struct WasmerExecutor {}

impl Executor for WasmerExecutor {
fn exec(&self, spec: &Spec) -> Result<(), ExecutorError> {
if !can_handle(spec) {
return Err(ExecutorError::CantHandle(EXECUTOR_NAME));
}
Expand Down Expand Up @@ -76,7 +79,11 @@ pub fn get_executor() -> Executor {
wasi_env.cleanup(&mut store, None);

Ok(())
})
}
}

pub fn get_executor() -> WasmerExecutor {
WasmerExecutor {}
}

fn can_handle(spec: &Spec) -> bool {
Expand Down
13 changes: 10 additions & 3 deletions crates/youki/src/workload/wasmtime.rs
Original file line number Diff line number Diff line change
Expand Up @@ -6,8 +6,11 @@ use libcontainer::workload::{Executor, ExecutorError, EMPTY};

const EXECUTOR_NAME: &str = "wasmtime";

pub fn get_executor() -> Executor {
Box::new(|spec: &Spec| -> Result<(), ExecutorError> {
#[derive(Clone)]
pub struct WasmtimeExecutor {}

impl Executor for WasmtimeExecutor {
fn exec(&self, spec: &Spec) -> Result<(), ExecutorError> {
if !can_handle(spec) {
return Err(ExecutorError::CantHandle(EXECUTOR_NAME));
}
Expand Down Expand Up @@ -86,7 +89,11 @@ pub fn get_executor() -> Executor {
start
.call(&mut store, &[], &mut [])
.map_err(|err| ExecutorError::Execution(err.into()))
})
}
}

pub fn get_executor() -> WasmtimeExecutor {
WasmtimeExecutor {}
}

fn can_handle(spec: &Spec) -> bool {
Expand Down

0 comments on commit 58703e0

Please sign in to comment.