5189b69e7e
This simplifies some of the `Config` structure, in particular this means: Parameters which are meaningfully equivalent longer stored in an `Option<T>`, an example of this is `channels`. If you don't want to join any channels you simply leave it as empty instead. In effect, `None` is behaviorally equivalent to `vec![]`. We don't allocate when accessing certain configuration options. For example, when accessing `channels` we used to allocate a vector to handle the "empty case", we simply return the slice corresponding to the list of channels instead. We skip serializing empty or optional configuration fields. From a deserialization perspective this is already something that was mostly supported through use of `Option<T>` and `#[serde(default)]`.
31 lines
928 B
Rust
31 lines
928 B
Rust
use futures::prelude::*;
|
|
use irc::client::prelude::*;
|
|
use std::time::Duration;
|
|
|
|
// NOTE: you can find an asynchronous version of this example with `IrcReactor` in `tooter.rs`.
|
|
#[tokio::main]
|
|
async fn main() -> irc::error::Result<()> {
|
|
let config = Config {
|
|
nickname: Some("pickles".to_owned()),
|
|
server: Some("irc.mozilla.org".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 mut interval = tokio::time::interval(Duration::from_secs(10)).fuse();
|
|
|
|
loop {
|
|
futures::select! {
|
|
m = stream.select_next_some() => {
|
|
println!("{}", m?);
|
|
}
|
|
_ = interval.select_next_some() => {
|
|
client.send_privmsg("#rust-spam", "TWEET TWEET")?;
|
|
}
|
|
}
|
|
}
|
|
}
|