使用泛型类型时如何使用浮点数文字?

时间:2018-06-08 20:22:14

标签: floating-point rust traits literals

常规浮点文字不起作用:

extern crate num_traits;

use num_traits::float::Float;

fn scale_float<T: Float>(x: T) -> T {
    x * 0.54
}

fn main() {
    let a: f64 = scale_float(1.23);
}
error[E0308]: mismatched types
 --> src/main.rs:6:9
  |
6 |     x * 0.54
  |         ^^^^ expected type parameter, found floating-point variable
  |
  = note: expected type `T`
             found type `{float}`

3 个答案:

答案 0 :(得分:3)

使用FromPrimitive trait

use num_traits::{cast::FromPrimitive, float::Float};

fn scale_float<T: Float + FromPrimitive>(x: T) -> T {
    x * T::from_f64(0.54).unwrap()
}

或标准库From / Into特征

fn scale_float<T>(x: T) -> T
where
    T: Float,
    f64: Into<T>
{
    x * 0.54.into()
}

另见:

答案 1 :(得分:1)

您无法直接从文字中创建Float。我建议采用类似于FloatConst特征的方法:

trait SomeDomainSpecificScaleFactor {
    fn factor() -> Self;
}

impl SomeDomainSpecificScaleFactor for f32 {
    fn factor() -> Self {
        0.54
    }
}

impl SomeDomainSpecificScaleFactor for f64 {
    fn factor() -> Self {
        0.54
    }
}

fn scale_float<T: Float + SomeDomainSpecificScaleFactor>(x: T) -> T {
    x * T::factor()
}

link to playground

答案 2 :(得分:0)

在某些情况下,您可以添加一个限制,即泛型类型必须能够与文字类型相乘。在这里,我们允许任何可以乘以f64的类型,只要它通过特征绑定T产生Mul<f64, Output = T>的输出类型即可:

use num_traits::float::Float; // 0.2.6
use std::ops::Mul;

fn scale_float<T>(x: T) -> T
where
    T: Float + Mul<f64, Output = T>,
{
    x * 0.54
}

fn main() {
    let a: f64 = scale_float(1.23);
}

这可能无法直接解决原始问题,但可能取决于您需要使用的具体类型。