Created
June 20, 2017 12:13
-
-
Save nikomatsakis/4e7dfe81b61d767eba85cbaf95e4b985 to your computer and use it in GitHub Desktop.
ecoop-2017-ss-solutons
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#![allow(dead_code)] | |
use std::f32::INFINITY; | |
use std::mem::drop; | |
use std::sync::Arc; | |
use std::sync::mpsc::channel; | |
use std::thread; | |
struct Store { | |
name: String, | |
items: Vec<Item>, | |
} | |
#[derive(Debug)] | |
struct Item { | |
name: &'static str, | |
price: f32, | |
} | |
impl Store { | |
fn new(name: String) -> Store { | |
Store { | |
name: name, | |
items: vec![], | |
} | |
} | |
fn add_item(&mut self, item: Item) { | |
self.items.push(item); | |
} | |
fn price(&self, item_name: &str) -> f32 { | |
for item in &self.items { | |
if item.name == item_name { | |
return item.price; | |
} | |
} | |
panic!("no such item {:?}", item_name); | |
} | |
fn total_price(&self, shopping_list: &[&str]) -> f32 { | |
shopping_list.iter() | |
.map(|name| self.price(name)) | |
.fold(0.0, |a, b| a + b) | |
} | |
} | |
fn build_stores() -> Vec<Store> { | |
let mut stores = vec![]; | |
let mut store = Store::new(format!("Rustmart")); | |
store.add_item(Item { name: "chocolate", price: 5.0 }); | |
store.add_item(Item { name: "socks", price: 23.0 }); | |
store.add_item(Item { name: "plush Mozilla dinosaur", price: 13.0 }); | |
stores.push(store); | |
let mut store = Store::new(format!("Rarget")); | |
store.add_item(Item { name: "chocolate", price: 2.5 }); | |
store.add_item(Item { name: "socks", price: 20.0 }); | |
store.add_item(Item { name: "plush Mozilla dinosaur", price: 20.0 }); | |
stores.push(store); | |
stores | |
} | |
fn main() { | |
let stores = build_stores(); | |
let shopping_list = vec!["chocolate", "plush Mozilla dinosaur"]; | |
let shopping_list = Arc::new(shopping_list); | |
let (tx, rx) = channel(); | |
for store in stores { | |
let tx = tx.clone(); | |
let shopping_list = shopping_list.clone(); | |
thread::spawn(move || { | |
let sum = store.total_price(&shopping_list); | |
tx.send((store.name, sum)); | |
}); | |
} | |
drop(tx); | |
let mut best = None; | |
let mut best_price = INFINITY; | |
for (name, sum) in rx { | |
if sum < best_price { | |
best = Some(name); | |
best_price = sum; | |
} | |
} | |
// Goal: join the threads here! | |
// Extra credit: rewrite to use channels or mutexes. | |
println!("--> Go to {}!", best.unwrap()); | |
} | |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment