如果我不能搜索stdin,我如何从stdin或文件中获取输入?

时间:2016-05-14 07:07:35

标签: io rust traits downcast

我将一些Python移植到Rust作为学习练习,需要从文件或标准输入中获取输入。我在一个结构中保留了我输入的句柄,所以我想我只是创建一个Box<io::Read>但是我遇到了需要寻找输入的情况,并且seek不属于Read特征。我知道你不能在管道中寻找,所以我要继续并且现在假设这个方法只在输入是一个文件时才被调用,但是我的问题是我无法在Rust中检查它和downcast。 / p>

我知道我可以为两种输入类型使用枚举,但似乎应该有更优雅的方式来执行此操作。这就是我的问题,你是如何做到这一点而不是弄得一团糟?

是否可以将stdin或文件包装在同一种缓冲区中,以便我可以使用该类型而不用担心IO的类型?

2 个答案:

答案 0 :(得分:5)

我知道,你说你想要一些更优雅而没有枚举的东西,但我认为enum-solution 相当优雅。所以这是一次尝试:

use std::fs;
use std::io::{self, Read, Seek, SeekFrom};

enum Input {
    File(fs::File),
    Stdin(io::Stdin),
}

impl Read for Input {
    fn read(&mut self, buf: &mut [u8]) -> io::Result<usize> {
        match *self {
            Input::File(ref mut file) => file.read(buf),
            Input::Stdin(ref mut stdin) => stdin.read(buf),
        }
    }
}

impl Seek for Input {
    fn seek(&mut self, pos: SeekFrom) -> io::Result<u64> {
        match *self {
            Input::File(ref mut file) => file.seek(pos),
            Input::Stdin(_) => {
                Err(io::Error::new(
                    io::ErrorKind::Other, 
                    "not supported by stdin-input",
                ))
            },
        }
    }
}

将这样的代码放在你的某个子模块中,不再担心它太多了。您可以像使用Input一样使用File类型的对象:无论如何都必须处理搜索错误,因此处理无法通过stdin搜索应该非常容易。一个例子:

let arg = std::env::args().nth(1).unwrap();
let mut input = if arg == "--" {
    Input::Stdin(io::stdin())
} else {
    Input::File(fs::File::open(&arg).expect("I should handle that.."))
};

let mut v = Vec::new();
let _idc = input.read_to_end(&mut v);

match input.seek(SeekFrom::End(0)) {
    Err(_) => println!("oh noes :("),
    Ok(bytes) => println!("yeah, input is {} long", bytes),
}

答案 1 :(得分:2)

  

是否可以将stdin或文件包装在同一种缓冲区中,以便我可以使用该类型而不用担心io的类型?

这正是特质Read的作用。看来你想要的是StdinFile的抽象(特征),它具有对seek的可选支持,并允许查询这种支持。在以下代码中,OptionalSeekRead trait用于实现此意图:

use std::io::{Read, Seek, SeekFrom, Stdin};
use std::fs::File;

// define a trait alias
pub trait SeekRead: Seek + Read {}

impl<T: Seek + Read> SeekRead for T {}

pub trait OptionSeekRead: Read {
    fn get_seek_read(&mut self) -> Option<&mut SeekRead>;
}

impl OptionSeekRead for File {
    fn get_seek_read(&mut self) -> Option<&mut SeekRead> {
        Some(self)
    }
}

impl OptionSeekRead for Stdin {
    fn get_seek_read(&mut self) -> Option<&mut SeekRead> {
        None
    }
}

struct Handle {
    read: Box<OptionSeekRead>,
}

impl Handle {
    fn f(&mut self) {
        if let Some(h) = self.read.get_seek_read() {
            // h is Seek + Read
            h.seek(SeekFrom::Start(42));
        } else {
            // without Seek
        }
    }
}