当值位于向量中时,能否将调试输出格式化为二进制格式?

时间:2019-01-04 16:46:13

标签: rust

在Rust中,您可以使用不同的基数设置数字格式,这对于位摆动非常有用:

println!("{:?} {:b} {:x}", 42, 42, 42); // 42 101010 2a

理想情况下,这也适用于矢量!当它适用于十六进制时:

println!("{:#x?}", vec![42, 43, 44]); // [ 0x2a, 0x2b, 0x2c ]

它不适用于二进制文件:

println!("{:b}", vec![42, 43, 44]); // I wish this were [101010, 101011, 101100]

取而代之的是:

  

约束std::vec::Vec<{integer}>: std::fmt::Binary的特征不满足

是否可以在向量内部进行二进制格式化?

1 个答案:

答案 0 :(得分:2)

直接,不,但是我会做这样的事情:

use std::fmt;

struct V(Vec<u32>);

// custom output
impl fmt::Binary for V {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        // extract the value using tuple idexing
        // and create reference to 'vec'
        let vec = &self.0;

        // @count -> the index of the value,
        // @n     -> the value
        for (count, n) in vec.iter().enumerate() { 
            if count != 0 { write!(f, " ")?; }

            write!(f, "{:b}", n)?;
        }

        Ok(())
    }
}

fn main() {
    println!("v = {:b} ", V( vec![42, 43, 44] ));
}

输出:

$ rustc v.rs && ./v
v = 101010 101011 101100

我正在使用rustc 1.31.1 (b6c32da9b 2018-12-18)

Rust fmt::binary参考。

Rust fmt::Display参考。