I don't know that I would call it wrong, but I don't know that I would call it idiomatic either. Some would consider it a warning sign (#6).
It does feel simultaneously too abstract and too restricted, a bit like a concrete abstraction I guess. In the example for instance, I just need a constant but I pull in a framework and write my own traits on top of that, and then invoke the framework by passing a bunch of ignored parameters in? If I need a constant, especially if it can be cloned, just... hand me the constant? Perhaps the example (or myself) is to simplistic to grasp why I'd use it.
On the restricted front, it seems to make these unclear-to-me assumptions, like there was some goal in sight I didn't know about. To produce values, I need to take two arguments, one of which is presumably a container (but has no inate abilities) and another is presumably parameters. However, I can only take shared references to those. I'm not sure why there's two inputs here and why one is presumed to be a shared reference to a container, or what you're imagining I'll do with it. A pre-anticipated third layer of abstraction where the ValueFactory
uses the parameter to maybe get something out of the container? Why does the container need to be separate from the ValueFactory
itself?
Apologies if any of that comes across as a put-down, it's not meant to be. I'm just trying to illustrate how I sort of stumbled around the code trying to figure out what the idea was so I could provide feedback. I think this indirectly gets at your OO-pattern question: You're presumably working from paradigm where you can look at "oh a factory of value factories that operates on a borrowed container that takes parameters" and have everything click, but I don't think I've really seen such a thing in idiomatic Rust.
Feels like you're taking Box<dyn Trait>
in some places you could or should take T: Trait
, e.g. perhaps
impl<C, V, P> Factory<C, V, P> {
/// Make new instance of the Factory struct
- pub fn new(factory: Box<dyn ValueFactory<C, V, P>>) -> Self {
+ pub fn new<F: ValueFactory<C, V, P>>(factory: F) -> Self {
+ let factory = Box::new(factory);
Factory { factory }
}
}
Or perhaps just
pub trait ValueFactory<C, V, P> {
fn into_dyn(self) -> Box<dyn ValueFactory<C, V, P>> {
Box::new(self)
}
}
Or in general, if you're only going to box concrete types in order to immediately type-erase them into a Box<dyn Trait>
elsewhere, might as well return the type-erased form instead.
Something I should have noted the first time: If you do need multi-threaded capability, you'll probably need all your trait objects to be Box<dyn Trait + Send + Sync>
too.