13

I'm trying to pass a reference of std::io::BufReader to a function:

use std::{fs::File, io::BufReader};

struct CompressedMap;

fn parse_cmp(buf: &mut BufReader) -> CompressedMap {
    unimplemented!()
}

fn main() -> Result<(), Box<dyn std::error::Error>> {
    let mut buf = BufReader::new(File::open("data/nyc.cmp")?);

    let map = parse_cmp(&mut buf);

    Ok(())
}

I get this error message:

error[E0107]: wrong number of type arguments: expected 1, found 0
 --> src/main.rs:5:24
  |
5 | fn parse_cmp(buf: &mut BufReader) -> CompressedMap {
  |                        ^^^^^^^^^ expected 1 type argument

What am I missing here?

Shepmaster
  • 388,571
  • 95
  • 1,107
  • 1,366
Gerstmann
  • 5,368
  • 6
  • 37
  • 57

1 Answers1

21

A look at the implementation of BufReader makes it clear that BufReader has a generic type parameter that must be specified:

impl<R: Read> BufReader<R> {

Change your function to account for the type parameter. You can allow any generic type:

use std::io::Read;

fn parse_cmp<R: Read>(buf: &mut BufReader<R>)

You could also use a specific concrete type:

fn parse_cmp(buf: &mut BufReader<File>)
Shepmaster
  • 388,571
  • 95
  • 1,107
  • 1,366
A.B.
  • 15,364
  • 3
  • 61
  • 64