summaryrefslogtreecommitdiff
path: root/hello_server/src/lib.rs
diff options
context:
space:
mode:
authorAdam Carpenter <53hornet@gmail.com>2019-03-26 15:05:10 -0400
committerAdam Carpenter <53hornet@gmail.com>2019-03-26 15:05:10 -0400
commit5718a0b54869b341bc74416bf82b716aa15d582c (patch)
tree0a1ab65ecc854733c15011f364524bde8379ae1b /hello_server/src/lib.rs
parent29db8e4c4182877e5e723e26e2c5ae11e9383520 (diff)
downloadlearning-rust-5718a0b54869b341bc74416bf82b716aa15d582c.tar.xz
learning-rust-5718a0b54869b341bc74416bf82b716aa15d582c.zip
Finished web server project. Book done!
Diffstat (limited to 'hello_server/src/lib.rs')
-rw-r--r--hello_server/src/lib.rs88
1 files changed, 88 insertions, 0 deletions
diff --git a/hello_server/src/lib.rs b/hello_server/src/lib.rs
new file mode 100644
index 0000000..c8e6a3e
--- /dev/null
+++ b/hello_server/src/lib.rs
@@ -0,0 +1,88 @@
+use std::sync::Arc;
+use std::sync::Mutex;
+use std::sync::mpsc;
+use std::thread;
+
+trait FnBox {
+ fn call_box(self: Box<Self>);
+}
+
+impl <F: FnOnce()> FnBox for F {
+ fn call_box(self: Box<F>) {
+ (*self)()
+ }
+}
+
+type Job = Box<FnBox + Send + 'static>;
+
+pub struct ThreadPool {
+ workers: Vec<Worker>,
+ sender: mpsc::Sender<Job>,
+}
+
+impl ThreadPool {
+ pub fn new(size: usize) -> Result<ThreadPool, &'static str> {
+ if size <= 0 {
+ return Err("failed to create pool");
+ }
+
+ let (sender, receiver) = mpsc::channel();
+
+ let receiver = Arc::new(Mutex::new(receiver));
+
+ let mut workers = Vec::with_capacity(size);
+
+ for id in 0..size {
+ workers.push(Worker::new(id, Arc::clone(&receiver))?);
+ }
+
+ Ok(ThreadPool {
+ workers,
+ sender,
+ })
+ }
+
+ pub fn spawn<F, T>(f: F) -> thread::JoinHandle<T>
+ where
+ F: FnOnce() -> T + Send + 'static,
+ T: Send + 'static
+ {
+ thread::spawn(f)
+ }
+
+ pub fn execute<F>(&self, f: F)
+ where
+ F: FnOnce() + Send + 'static
+ {
+ let job = Box::new(f);
+ self.sender.send(job).unwrap();
+ }
+
+}
+
+struct Worker {
+ id: usize,
+ thread: thread::JoinHandle<()>,
+}
+
+impl Worker {
+ pub fn new(id: usize, receiver: Arc<Mutex<mpsc::Receiver<Job>>>)
+ -> Result<Worker, &'static str>
+ {
+ let thread = thread::spawn(move || {
+ loop {
+ let job = receiver
+ .lock().expect("lock poisoned!")
+ .recv().unwrap();
+ println!("worker {} got job; executing...", id);
+
+ job.call_box();
+ }
+ });
+
+ Ok(Worker {
+ id,
+ thread,
+ })
+ }
+}