web-dev-qa-db-fra.com

Comment implémenter un trait personnalisé 'fmt :: Debug'?

Je suppose que vous faites quelque chose comme ça:

extern crate uuid;

use uuid::Uuid;
use std::fmt::Formatter;
use std::fmt::Debug;

#[derive(Debug)]
struct BlahLF {
    id: Uuid,
}

impl BlahLF {
    fn new() -> BlahLF {
        return BlahLF { id: Uuid::new_v4() };
    }
}

impl Debug for BlahLF {
    fn fmt(&self, &mut f: Formatter) -> Result {
        write!(f.buf, "Hi: {}", self.id);
    }
}

... mais tenter d'implémenter ce trait génère:

error[E0243]: wrong number of type arguments
  --> src/main.rs:19:41
   |
19 |     fn fmt(&self, &mut f: Formatter) -> Result {
   |                                         ^^^^^^ expected 2 type arguments, found 0

Cependant, cela semble être la façon dont les autres implémentations le font. Qu'est-ce que je fais mal?

45
Doug

Selon l'exemple du std::fmt documents :

extern crate uuid;

use uuid::Uuid;
use std::fmt;

struct BlahLF {
    id: Uuid,
}

impl fmt::Debug for BlahLF {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        write!(f, "Hi: {}", self.id)
    }
}

La partie à souligner est le fmt:: dans fmt::Result. Sans cela, vous faites référence au type simple Result . Le type simple Result possède deux paramètres de type génériques, fmt::Result n'en a pas.

48
cnd