1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
use crate::execution_manager::execution_context::{ExecutionContext, PoolAllocMode};
use crate::execution_manager::executor::{AsyncExecutor, ExecutorReceiver};
use crate::execution_manager::objects_pool::PoolObjectTrait;
use parking_lot::Mutex;
use std::any::TypeId;
use std::marker::PhantomData;
use std::sync::Arc;
use tokio::runtime::{Builder, Runtime};
pub struct ExecThreadPool {
context: Arc<ExecutionContext>,
executors: Mutex<Vec<tokio::task::JoinHandle<()>>>,
runtime: Runtime,
}
pub struct ExecutorsHandle<E: AsyncExecutor>(PhantomData<E>);
impl<E: AsyncExecutor> Clone for ExecutorsHandle<E> {
fn clone(&self) -> Self {
*self
}
}
impl<E: AsyncExecutor> Copy for ExecutorsHandle<E> {}
impl ExecThreadPool {
pub fn new(context: &Arc<ExecutionContext>, threads_count: usize, name: &str) -> Self {
Self {
context: context.clone(),
executors: Mutex::new(Vec::new()),
runtime: Builder::new_multi_thread()
.thread_name(name)
.worker_threads(threads_count)
.build()
.unwrap(),
}
}
pub fn register_executors<E: AsyncExecutor>(
&self,
count: usize,
pool_alloc_mode: PoolAllocMode,
pool_init_data: <E::OutputPacket as PoolObjectTrait>::InitData,
global_params: &Arc<E::GlobalParams>,
) -> ExecutorsHandle<E> {
self.context
.register_executor_type::<E>(count, pool_alloc_mode, pool_init_data);
let addresses_channel = self
.context
.waiting_addresses
.lock()
.get(&TypeId::of::<E>())
.unwrap()
.clone();
let mut executors = self.executors.lock();
for _ in 0..count {
let context = self.context.clone();
let addresses_channel = addresses_channel.clone();
let global_params = global_params.clone();
executors.push(self.runtime.spawn(async move {
async {
let context_ = context.clone();
let mut executor = E::new();
let sem_lock = context_.start_semaphore.acquire().await;
let memory_tracker = context.memory_tracker.get_executor_instance();
executor
.async_executor_main(
&global_params,
ExecutorReceiver {
context,
addresses_channel,
_phantom: PhantomData,
},
memory_tracker,
)
.await;
drop(sem_lock);
context_.wait_condvar.notify_all();
}
.await;
}));
}
ExecutorsHandle(PhantomData)
}
}