I'm trying to store a closure as a HashMap value. If I pass the closure arg by value, everything works great:
use std::collections::hash_map::HashMap;
fn main() {
let mut cmds: HashMap<String, Box<FnMut(String)->()>>
= HashMap::new();
cmds.insert("ping".to_string(), Box::new(|&mut:s| { println!("{}", s); }));
match cmds.get_mut("ping") {
Some(f) => f("pong".to_string()),
_ => ()
}
}
(playpen)
But if I want a closure that takes a reference arg, things go south:
use std::collections::hash_map::HashMap;
fn main() {
let mut cmds: HashMap<String, Box<FnMut(&str)->()>>
= HashMap::new();
cmds.insert("ping".to_string(), Box::new(|&mut:s| { println!("{}", s); }));
match cmds.get_mut("ping") {
Some(f) => f("pong"),
_ => ()
}
}
<anon>:8:37: 8:78 error: type mismatch: the type `closure[<anon>:8:46: 8:77]` implements the trait `core::ops::FnMut(_)`, but the trait `for<'r> core::ops::FnMut(&'r str)` is required (expected concrete lifetime, found bound lifetime parameter )
<anon>:8 cmds.insert("ping".to_string(), Box::new(|&mut:s| { println!("{}", s); }));
^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
<anon>:8:37: 8:78 note: required for the cast to the object type `for<'r> core::ops::FnMut(&'r str)`
<anon>:8 cmds.insert("ping".to_string(), Box::new(|&mut:s| { println!("{}", s); }));
^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
error: aborting due to previous error
(playpen)
I read the answer to How to rewrite code to new unboxed closures, and tried breaking out the map building into its own function in order to have a place to hang the where
clause, but no dice:
use std::collections::hash_map::HashMap;
fn mk_map<F>() -> HashMap<String, (String, Box<F>)>
where F: for<'a> FnMut(&'a str) -> ()
{
let mut cmds: HashMap<String, (String, Box<F>)> = HashMap::new();
cmds.insert("ping".to_string(), ("ping".to_string(), Box::new(|&mut:s| { println!("{}", s); })));
cmds
}
fn main() {
let cmds = mk_map();
match cmds.get_mut("ping") {
Some(&mut (_, ref mut f)) => f("pong"),
_ => println!("invalid command")
}
}
<anon>:8:58: 8:99 error: mismatched types: expected `Box<F>`, found `Box<closure[<anon>:8:67: 8:98]>` (expected type parameter, found closure)
<anon>:8 cmds.insert("ping".to_string(), ("ping".to_string(), Box::new(|&mut:s| { println!("{}", s); })));
^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
(playpen)
What's the right way to do this?