我正在尝试将 glium 与 cgmath 接口。在这个答案之后,我实现了一个ToArray
特性来将实例转换cgmath::Matrix4
为 glium 可用的格式:
pub trait ToArray {
type Output;
fn to_array(&self) -> Self::Output;
}
impl<S: cgmath::BaseNum> ToArray for cgmath::Matrix4<S> {
type Output = [[S; 4]; 4];
fn to_array(&self) -> Self::Output {
(*self).into()
}
}
由于我并不总是Matrix4
直接使用,因此我需要对 cgmath 转换类型进行类似的实现。例如cgmath::Decomposed
:
impl<S: cgmath::BaseFloat, R: cgmath::Rotation3<S>> ToArray
for cgmath::Decomposed<cgmath::Vector3<S>, R> {
type Output = [[S; 4]; 4];
fn to_array(&self) -> Self::Output {
cgmath::Matrix4::<S>::from(*self).into()
}
}
这行得通,但我想避免为所有转换类型重复代码,所以我想我会为任何可以转换为的东西定义一个通用实现Matrix4
:
impl<S: cgmath::BaseFloat, T: Into<cgmath::Matrix4<S>>> ToArray for T {
type Output = [[S; 4]; 4];
fn to_array(&self) -> Self::Output {
cgmath::Matrix4::<S>::from(*self).into()
}
}
不幸的是,这不起作用:
error[E0207]: the type parameter `S` is not constrained by the impl trait, self type, or predicates
--> src/main.rs:23:6
|
23 | impl<S: cgmath::BaseFloat, T: Into<cgmath::Matrix4<S>>> ToArray for T {
| ^ unconstrained type parameter
我有两个问题:
- 为什么上面的代码不起作用?通过阅读
rustc --explain
输出,我希望充当以及T: Into<cgmath::Matrix4<S>>
的有效约束。S
T
- 我如何为可以转换为的任何东西编写通用实现
Matrix4
?