koukah
koukah

Reputation: 69

Why is 'futures::prelude::*; undecleared

For some reason it is telling me that it is undeclared when i am trying to follow an example for an IRC in rust and it makes no sense that it is not working cause i have used libraries like this before and it worked before so idk what is happening \

code:

use futures::prelude::*;
use irc::client::prelude::*;

#[tokio::main]
async fn main() -> irc::error::Result<()> {
    let config = Config {
        nickname: Some("pickles".to_owned()),
        server: Some("chat.freenode.net".to_owned()),
        channels: vec!["#rust-spam".to_owned()],
        ..Default::default()
    };

    let mut client = Client::from_config(config).await?;
    client.identify()?;

    let mut stream = client.stream()?;
    let sender = client.sender();

    while let Some(message) = stream.next().await.transpose()? {
        print!("{}", message);

        match message.command {
            Command::PRIVMSG(ref target, ref msg) => {
                if msg.contains(client.current_nickname()) {
                    sender.send_privmsg(target, "Hi!")?;
                }
            }
            _ => (),
        }
    }

    Ok(())
}

Errors

 --> src\main.rs:1:5
  |
1 | use futures::prelude::*;
  |     ^^^^^^^ use of undeclared type or module `futures`

error[E0308]: mismatched types
 --> src\main.rs:9:19
  |
9 |         channels: vec!["#rust-spam".to_owned()],
  |                   ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
  |                   |
  |                   expected enum `std::option::Option`, found struct `std::vec::Vec`
  |                   help: try using a variant of the expected enum: `Some(<[_]>::into_vec(box [$($x),+]))`
  |
  = note: expected enum `std::option::Option<std::vec::Vec<_>>`
           found struct `std::vec::Vec<_>`
  = note: this error originates in a macro (in Nightly builds, run with -Z macro-backtrace for more info)

error[E0599]: no function or associated item named `from_config` found for trait object `dyn irc::client::Client` in the current scope
  --> src\main.rs:13:30
   |
13 |     let mut client = Client::from_config(config).await?;
   |                              ^^^^^^^^^^^ function or associated item not found in `dyn irc::client::Client`

Cargo.toml

[package]
name = "irc"
version = "0.1.0"
authors = ["sudo"]
edition = "2018"

# See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html

[dependencies]
irc = "0.13"
tokio = { version = "0.2.22", features = ["full"] }

Edit: Added Cargo.toml

Upvotes: 3

Views: 1523

Answers (2)

Solomon Ucko
Solomon Ucko

Reputation: 6109

You need to add futures to your Cargo.toml, even though a dependency already depends on it.

Upvotes: 2

w08r
w08r

Reputation: 1814

You will need to add the futures crate to your cargo file. E.g. from the docs

[dependencies]
futures = "0.3"

Upvotes: 5

Related Questions