mirror of
https://github.com/ntex-rs/ntex.git
synced 2025-04-03 04:47:39 +03:00
Allow to override block_on function (#411)
This commit is contained in:
parent
d87d9b2139
commit
432791356c
6 changed files with 173 additions and 69 deletions
|
@ -1,5 +1,11 @@
|
|||
# Changes
|
||||
|
||||
## [0.4.16] - 2024-09-02
|
||||
|
||||
* Allow to override block_on function
|
||||
|
||||
* Add stack size configuration
|
||||
|
||||
## [0.4.15] - 2024-08-30
|
||||
|
||||
* No runtime compatibility
|
||||
|
|
|
@ -1,6 +1,6 @@
|
|||
[package]
|
||||
name = "ntex-rt"
|
||||
version = "0.4.15"
|
||||
version = "0.4.16"
|
||||
authors = ["ntex contributors <team@ntex.rs>"]
|
||||
description = "ntex runtime"
|
||||
keywords = ["network", "framework", "async", "futures"]
|
||||
|
|
|
@ -91,11 +91,19 @@ impl Arbiter {
|
|||
let id = COUNT.fetch_add(1, Ordering::Relaxed);
|
||||
let name = format!("ntex-rt:worker:{}", id);
|
||||
let sys = System::current();
|
||||
let config = sys.config();
|
||||
let (arb_tx, arb_rx) = unbounded();
|
||||
let arb_tx2 = arb_tx.clone();
|
||||
|
||||
let handle = thread::Builder::new()
|
||||
.name(name.clone())
|
||||
let builder = if sys.config().stack_size > 0 {
|
||||
thread::Builder::new()
|
||||
.name(name.clone())
|
||||
.stack_size(sys.config().stack_size)
|
||||
} else {
|
||||
thread::Builder::new().name(name.clone())
|
||||
};
|
||||
|
||||
let handle = builder
|
||||
.spawn(move || {
|
||||
let arb = Arbiter::with_sender(arb_tx);
|
||||
|
||||
|
@ -104,7 +112,7 @@ impl Arbiter {
|
|||
|
||||
System::set_current(sys);
|
||||
|
||||
crate::block_on(async move {
|
||||
config.block_on(async move {
|
||||
// start arbiter controller
|
||||
let _ = crate::spawn(ArbiterController {
|
||||
stop: Some(stop),
|
||||
|
|
|
@ -1,10 +1,9 @@
|
|||
#![allow(clippy::let_underscore_future)]
|
||||
use std::{cell::RefCell, future::Future, io, rc::Rc};
|
||||
use std::{future::Future, io, pin::Pin, sync::Arc};
|
||||
|
||||
use async_channel::unbounded;
|
||||
|
||||
use crate::arbiter::{Arbiter, ArbiterController, SystemArbiter};
|
||||
use crate::System;
|
||||
use crate::{system::SystemConfig, System};
|
||||
|
||||
/// Builder struct for a ntex runtime.
|
||||
///
|
||||
|
@ -16,6 +15,10 @@ pub struct Builder {
|
|||
name: String,
|
||||
/// Whether the Arbiter will stop the whole System on uncaught panic. Defaults to false.
|
||||
stop_on_panic: bool,
|
||||
/// New thread stack size
|
||||
stack_size: usize,
|
||||
/// Block on fn
|
||||
block_on: Option<Arc<dyn Fn(Pin<Box<dyn Future<Output = ()>>>) + Sync + Send>>,
|
||||
}
|
||||
|
||||
impl Builder {
|
||||
|
@ -23,6 +26,8 @@ impl Builder {
|
|||
Builder {
|
||||
name: "ntex".into(),
|
||||
stop_on_panic: false,
|
||||
stack_size: 0,
|
||||
block_on: None,
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -41,16 +46,36 @@ impl Builder {
|
|||
self
|
||||
}
|
||||
|
||||
/// Sets the size of the stack (in bytes) for the new thread.
|
||||
pub fn stack_size(mut self, size: usize) -> Self {
|
||||
self.stack_size = size;
|
||||
self
|
||||
}
|
||||
|
||||
/// Use custom block_on function
|
||||
pub fn block_on<F>(mut self, block_on: F) -> Self
|
||||
where
|
||||
F: Fn(Pin<Box<dyn Future<Output = ()>>>) + Sync + Send + 'static,
|
||||
{
|
||||
self.block_on = Some(Arc::new(block_on));
|
||||
self
|
||||
}
|
||||
|
||||
/// Create new System.
|
||||
///
|
||||
/// This method panics if it can not create tokio runtime
|
||||
pub fn finish(self) -> SystemRunner {
|
||||
let (stop_tx, stop) = oneshot::channel();
|
||||
let (sys_sender, sys_receiver) = unbounded();
|
||||
let stop_on_panic = self.stop_on_panic;
|
||||
|
||||
let config = SystemConfig {
|
||||
block_on: self.block_on,
|
||||
stack_size: self.stack_size,
|
||||
stop_on_panic: self.stop_on_panic,
|
||||
};
|
||||
|
||||
let (arb, arb_controller) = Arbiter::new_system();
|
||||
let system = System::construct(sys_sender, arb, stop_on_panic);
|
||||
let system = System::construct(sys_sender, arb, config);
|
||||
|
||||
// system arbiter
|
||||
let arb = SystemArbiter::new(stop_tx, sys_receiver);
|
||||
|
@ -97,23 +122,30 @@ impl SystemRunner {
|
|||
stop,
|
||||
arb,
|
||||
arb_controller,
|
||||
system,
|
||||
..
|
||||
} = self;
|
||||
|
||||
// run loop
|
||||
match block_on(stop, arb, arb_controller, f).take()? {
|
||||
Ok(code) => {
|
||||
if code != 0 {
|
||||
Err(io::Error::new(
|
||||
io::ErrorKind::Other,
|
||||
format!("Non-zero exit code: {}", code),
|
||||
))
|
||||
} else {
|
||||
Ok(())
|
||||
system.config().block_on(async move {
|
||||
f()?;
|
||||
|
||||
let _ = crate::spawn(arb);
|
||||
let _ = crate::spawn(arb_controller);
|
||||
match stop.await {
|
||||
Ok(code) => {
|
||||
if code != 0 {
|
||||
Err(io::Error::new(
|
||||
io::ErrorKind::Other,
|
||||
format!("Non-zero exit code: {}", code),
|
||||
))
|
||||
} else {
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
Err(_) => Err(io::Error::new(io::ErrorKind::Other, "Closed")),
|
||||
}
|
||||
Err(_) => Err(io::Error::new(io::ErrorKind::Other, "Closed")),
|
||||
}
|
||||
})
|
||||
}
|
||||
|
||||
/// Execute a future and wait for result.
|
||||
|
@ -126,14 +158,15 @@ impl SystemRunner {
|
|||
let SystemRunner {
|
||||
arb,
|
||||
arb_controller,
|
||||
system,
|
||||
..
|
||||
} = self;
|
||||
|
||||
// run loop
|
||||
match block_on(fut, arb, arb_controller, || Ok(())).take() {
|
||||
Ok(result) => result,
|
||||
Err(_) => unreachable!(),
|
||||
}
|
||||
system.config().block_on(async move {
|
||||
let _ = crate::spawn(arb);
|
||||
let _ = crate::spawn(arb_controller);
|
||||
fut.await
|
||||
})
|
||||
}
|
||||
|
||||
#[cfg(feature = "tokio")]
|
||||
|
@ -160,41 +193,6 @@ impl SystemRunner {
|
|||
}
|
||||
}
|
||||
|
||||
pub struct BlockResult<T>(Rc<RefCell<Option<T>>>);
|
||||
|
||||
impl<T> BlockResult<T> {
|
||||
pub fn take(self) -> T {
|
||||
self.0.borrow_mut().take().unwrap()
|
||||
}
|
||||
}
|
||||
|
||||
#[inline]
|
||||
fn block_on<F, R, F1>(
|
||||
fut: F,
|
||||
arb: SystemArbiter,
|
||||
arb_controller: ArbiterController,
|
||||
f: F1,
|
||||
) -> BlockResult<io::Result<R>>
|
||||
where
|
||||
F: Future<Output = R> + 'static,
|
||||
R: 'static,
|
||||
F1: FnOnce() -> io::Result<()> + 'static,
|
||||
{
|
||||
let result = Rc::new(RefCell::new(None));
|
||||
let result_inner = result.clone();
|
||||
crate::block_on(async move {
|
||||
let _ = crate::spawn(arb);
|
||||
let _ = crate::spawn(arb_controller);
|
||||
if let Err(e) = f() {
|
||||
*result_inner.borrow_mut() = Some(Err(e));
|
||||
} else {
|
||||
let r = fut.await;
|
||||
*result_inner.borrow_mut() = Some(Ok(r));
|
||||
}
|
||||
});
|
||||
BlockResult(result)
|
||||
}
|
||||
|
||||
#[cfg(test)]
|
||||
mod tests {
|
||||
use std::sync::mpsc;
|
||||
|
@ -235,4 +233,43 @@ mod tests {
|
|||
let id2 = rx.recv().unwrap();
|
||||
assert_eq!(id, id2);
|
||||
}
|
||||
|
||||
#[cfg(feature = "tokio")]
|
||||
#[test]
|
||||
fn test_block_on() {
|
||||
let (tx, rx) = mpsc::channel();
|
||||
|
||||
thread::spawn(move || {
|
||||
let runner = crate::System::build()
|
||||
.stop_on_panic(true)
|
||||
.block_on(|fut| {
|
||||
let rt = tok_io::runtime::Builder::new_current_thread()
|
||||
.enable_all()
|
||||
.build()
|
||||
.unwrap();
|
||||
tok_io::task::LocalSet::new().block_on(&rt, fut);
|
||||
})
|
||||
.finish();
|
||||
|
||||
tx.send(runner.system()).unwrap();
|
||||
let _ = runner.run_until_stop();
|
||||
});
|
||||
let s = System::new("test");
|
||||
|
||||
let sys = rx.recv().unwrap();
|
||||
let id = sys.id();
|
||||
let (tx, rx) = mpsc::channel();
|
||||
sys.arbiter().exec_fn(move || {
|
||||
let _ = tx.send(System::current().id());
|
||||
});
|
||||
let id2 = rx.recv().unwrap();
|
||||
assert_eq!(id, id2);
|
||||
|
||||
let id2 = s
|
||||
.block_on(sys.arbiter().exec(|| System::current().id()))
|
||||
.unwrap();
|
||||
assert_eq!(id, id2);
|
||||
|
||||
sys.stop();
|
||||
}
|
||||
}
|
||||
|
|
|
@ -1,3 +1,4 @@
|
|||
#![allow(clippy::type_complexity, clippy::let_underscore_future)]
|
||||
//! A runtime implementation that runs everything on the current thread.
|
||||
use std::{cell::RefCell, ptr};
|
||||
|
||||
|
|
|
@ -1,5 +1,7 @@
|
|||
use std::sync::{atomic::AtomicUsize, atomic::Ordering, Arc};
|
||||
use std::{cell::RefCell, fmt, future::Future, pin::Pin, rc::Rc};
|
||||
|
||||
use async_channel::Sender;
|
||||
use std::{cell::RefCell, sync::atomic::AtomicUsize, sync::atomic::Ordering};
|
||||
|
||||
use super::arbiter::{Arbiter, SystemCommand};
|
||||
use super::builder::{Builder, SystemRunner};
|
||||
|
@ -12,7 +14,15 @@ pub struct System {
|
|||
id: usize,
|
||||
sys: Sender<SystemCommand>,
|
||||
arbiter: Arbiter,
|
||||
stop_on_panic: bool,
|
||||
config: SystemConfig,
|
||||
}
|
||||
|
||||
#[derive(Clone)]
|
||||
pub(super) struct SystemConfig {
|
||||
pub(super) stack_size: usize,
|
||||
pub(super) stop_on_panic: bool,
|
||||
pub(super) block_on:
|
||||
Option<Arc<dyn Fn(Pin<Box<dyn Future<Output = ()>>>) + Sync + Send>>,
|
||||
}
|
||||
|
||||
thread_local!(
|
||||
|
@ -24,12 +34,12 @@ impl System {
|
|||
pub(super) fn construct(
|
||||
sys: Sender<SystemCommand>,
|
||||
arbiter: Arbiter,
|
||||
stop_on_panic: bool,
|
||||
config: SystemConfig,
|
||||
) -> Self {
|
||||
let sys = System {
|
||||
sys,
|
||||
config,
|
||||
arbiter,
|
||||
stop_on_panic,
|
||||
id: SYSTEM_COUNT.fetch_add(1, Ordering::SeqCst),
|
||||
};
|
||||
System::set_current(sys.clone());
|
||||
|
@ -83,18 +93,60 @@ impl System {
|
|||
let _ = self.sys.try_send(SystemCommand::Exit(code));
|
||||
}
|
||||
|
||||
pub(super) fn sys(&self) -> &Sender<SystemCommand> {
|
||||
&self.sys
|
||||
}
|
||||
|
||||
/// Return status of 'stop_on_panic' option which controls whether the System is stopped when an
|
||||
/// uncaught panic is thrown from a worker thread.
|
||||
pub fn stop_on_panic(&self) -> bool {
|
||||
self.stop_on_panic
|
||||
self.config.stop_on_panic
|
||||
}
|
||||
|
||||
/// System arbiter
|
||||
pub fn arbiter(&self) -> &Arbiter {
|
||||
&self.arbiter
|
||||
}
|
||||
|
||||
pub(super) fn sys(&self) -> &Sender<SystemCommand> {
|
||||
&self.sys
|
||||
}
|
||||
|
||||
/// System config
|
||||
pub(super) fn config(&self) -> SystemConfig {
|
||||
self.config.clone()
|
||||
}
|
||||
}
|
||||
|
||||
impl SystemConfig {
|
||||
/// Execute a future with custom `block_on` method and wait for result.
|
||||
#[inline]
|
||||
pub(super) fn block_on<F, R>(&self, fut: F) -> R
|
||||
where
|
||||
F: Future<Output = R> + 'static,
|
||||
R: 'static,
|
||||
{
|
||||
// run loop
|
||||
let result = Rc::new(RefCell::new(None));
|
||||
let result_inner = result.clone();
|
||||
|
||||
if let Some(block_on) = &self.block_on {
|
||||
(*block_on)(Box::pin(async move {
|
||||
let r = fut.await;
|
||||
*result_inner.borrow_mut() = Some(r);
|
||||
}));
|
||||
} else {
|
||||
crate::block_on(Box::pin(async move {
|
||||
let r = fut.await;
|
||||
*result_inner.borrow_mut() = Some(r);
|
||||
}));
|
||||
}
|
||||
let res = result.borrow_mut().take().unwrap();
|
||||
res
|
||||
}
|
||||
}
|
||||
|
||||
impl fmt::Debug for SystemConfig {
|
||||
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
||||
f.debug_struct("SystemConfig")
|
||||
.field("stack_size", &self.stack_size)
|
||||
.field("stop_on_panic", &self.stop_on_panic)
|
||||
.finish()
|
||||
}
|
||||
}
|
||||
|
|
Loading…
Add table
Add a link
Reference in a new issue