1
  2
  3
  4
  5
  6
  7
  8
  9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
/*!
This crate provides a way to interface with [Twitch]'s chat.

Along with the messages as Rust types, it provides methods for sending messages.

# Demonstration
See `examples/demo.rs` for a demo of the api

[Twitch]: https://www.twitch.tv
*/
#![warn(
    missing_docs,
    missing_debug_implementations,
    missing_copy_implementations,
    trivial_casts,
    trivial_numeric_casts,
    unsafe_code,
    unstable_features,
    unused_import_braces,
    unused_qualifications
)]

#[macro_use]
mod macros;

cfg_async! {
    pub mod client;
    #[doc(inline)]
    pub use client::{Error, Client};
}

/// Decode messages from a `&str`
pub mod decode;
#[doc(inline)]
pub use decode::{decode, decode_one};

/// Encode messages to a writer
pub mod encode;
#[doc(inline)]
pub use encode::Encodable;

cfg_async! {
    #[doc(inline)]
    pub use encode::encode;
}

/// Common Twitch types
pub mod twitch;

#[doc(inline)]
pub use twitch::*;

cfg_async! {
    pub mod events;
}

pub mod messages;

/// The Twitch IRC address for non-TLS connections
pub const TWITCH_IRC_ADDRESS: &str = "irc.chat.twitch.tv:6667";

/// The Twitch IRC address for TLS connections
pub const TWITCH_IRC_ADDRESS_TLS: &str = "irc.chat.twitch.tv:6697";

/// The Twitch WebSocket address for non-TLS connections
pub const TWITCH_WS_ADDRESS: &str = "ws://irc-ws.chat.twitch.tv:80";

/// The Twitch WebSocket address for TLS connections
pub const TWITCH_WS_ADDRESS_TLS: &str = "wss://irc-ws.chat.twitch.tv:443";

const TWITCH_DOMAIN: &str = "irc.chat.twitch.tv";

cfg_async! {
    use tokio::io::{AsyncRead, AsyncWrite};
}

/// Connection type
///
/// Defaults to `Nope`
#[derive(Debug, Copy, Clone, PartialEq)]
pub enum Secure {
    /// Use TLS
    UseTls,
    /// Don't use TLS
    Nope,
}

impl Default for Secure {
    fn default() -> Self {
        Self::Nope
    }
}

impl Secure {
    /// Gets the requested (IRC) address
    pub fn get_address(&self) -> &'static str {
        match self {
            Secure::UseTls => TWITCH_IRC_ADDRESS_TLS,
            Secure::Nope => TWITCH_IRC_ADDRESS,
        }
    }
}

cfg_async! {
    /**
    Write the provided `UserConfig` to the ***async*** writer

    # Example
    ```rust
    # use twitchchat::*;
    # tokio::runtime::Runtime::new().unwrap().block_on(async move {
    let config = UserConfig::builder().anonymous().build().unwrap();
    let mut writer = vec![];
    register(&config, &mut writer).await.unwrap();
    assert_eq!(
        std::str::from_utf8(&writer).unwrap(),
        "PASS justinfan1234\r\nNICK justinfan1234\r\n"
    );
    # });
    ```
    */
    pub async fn register<W: ?Sized>(
        user_config: &UserConfig,
        writer: &mut W,
    ) -> std::io::Result<()>
    where
        W: AsyncWrite + Unpin,
    {
        encode(user_config, writer).await
    }
}

cfg_async! {
    type ConnectRes = std::io::Result<(
        BoxAsyncRead, BoxAsyncWrite
    )>;

    async fn connect_no_tls(addr: &str) -> std::io::Result<impl AsyncWrite + AsyncRead + Unpin> {
        tokio::net::TcpStream::connect(addr).await
    }

    async fn connect_tls(addr: &str) -> std::io::Result<impl AsyncWrite + AsyncRead + Unpin> {
        use std::io::{Error, ErrorKind};
        let stream = tokio::net::TcpStream::connect(addr).await?;
        let conn: tokio_tls::TlsConnector = native_tls::TlsConnector::new()
            .map_err(|err| Error::new(ErrorKind::Other, err))?
            .into();
        conn.connect(TWITCH_DOMAIN, stream)
            .await
            .map_err(|err| Error::new(ErrorKind::Other, err))
    }

    /// Boxed AsyncRead
    pub type BoxAsyncRead = Box<dyn AsyncRead + Send + Sync + Unpin>;
    /// Boxed AsyncWrite
    pub type BoxAsyncWrite = Box<dyn AsyncWrite + Send + Sync + Unpin>;

    /**
    Opens an ***async*** TCP connection using the provided `UserConfig` and `Secure` setting

    If `secure` is `None`, it'll use the normal TCP socket

    # Panics
    This panics if you try to use a secure connection but have the `tls` feature disabled

    # Example
    ## With TLS
    ```rust
    # use twitchchat::*;
    # tokio::runtime::Runtime::new().unwrap().block_on(async move {
    let user_config = UserConfig::builder().anonymous().build().unwrap();
    let secure = Secure::Nope; // or None
    let (read, write) = connect(&user_config, secure).await.unwrap();
    # });
    ```

    ## Without TLS
    ```rust
    # use twitchchat::*;
    # tokio::runtime::Runtime::new().unwrap().block_on(async move {
    let user_config = UserConfig::builder().anonymous().build().unwrap();
    let secure = Secure::Nope; // or None
    let (read, write) = connect(&user_config, secure).await.unwrap();
    # });
    ```
    */
    pub async fn connect(
        user_config: &UserConfig,
        secure: impl Into<Option<Secure>>,
    ) -> ConnectRes {
        let secure = secure.into().unwrap_or_default();
        let addr = secure.get_address();

        match secure {
            Secure::UseTls => {
                if cfg!(feature = "tls") {
                    let mut stream = connect_tls(addr).await?;
                    register(user_config, &mut stream).await?;
                    let (read, write) = tokio::io::split(stream);
                    Ok((Box::new(read), Box::new(write)))
                } else {
                    panic!("enable the \"tls\" feature to use this")
                }
            },
            Secure::Nope => {
                let mut stream = connect_no_tls(addr).await?;
                register(user_config, &mut stream).await?;
                let (read, write) = tokio::io::split(stream);
                Ok((Box::new(read), Box::new(write)))
            },
        }
    }

    /**
    Opens an ***async*** TCP connection using the provided `name`, `token` and `Secure` setting

    If `secure` is `None`, it'll use the normal TCP socket

    This enables all of the [Capabilities]

    [Capabilities]: ./enum.Capability.html

    # Panics
    This panics if you try to use a secure connection but have the `tls` feature disabled

    # Example

    ## With TLS
    ```rust
    # use twitchchat::*;
    # tokio::runtime::Runtime::new().unwrap().block_on(async move {
    let (nick, pass) = ANONYMOUS_LOGIN;
    let secure = Secure::UseTls;
    let (read, write) = connect_easy(nick, pass, secure).await.unwrap();
    # });
    ```

    ## Without TLS
    ```rust
    # use twitchchat::*;
    # tokio::runtime::Runtime::new().unwrap().block_on(async move {
    let (nick, pass) = ANONYMOUS_LOGIN;
    let secure = Secure::Nope; // or None
    let (read, write) = connect_easy(nick, pass, secure).await.unwrap();
    # });
    ```
    */
    pub async fn connect_easy(
        name: &str,
        token: &str,
        secure: impl Into<Option<Secure>>,
    ) -> ConnectRes {
        let config = simple_user_config(name, token).unwrap();
        connect(&config, secure).await
    }
}

fn simple_user_config(name: &str, token: &str) -> Result<UserConfig, UserConfigError> {
    UserConfig::builder()
        .name(name)
        .token(token)
        .capabilities(&[
            Capability::Membership,
            Capability::Tags,
            Capability::Commands,
        ])
        .build()
}

/**
An anonymous login.

You won't be able to send messages, but you can join channels and read messages

# usage
```rust
# use twitchchat::{ANONYMOUS_LOGIN,UserConfig};
let (nick, pass) = twitchchat::ANONYMOUS_LOGIN;
let _config = UserConfig::builder()
    .name(nick)
    .token(pass)
    .build()
    .unwrap();
```
*/
pub const ANONYMOUS_LOGIN: (&str, &str) = (JUSTINFAN1234, JUSTINFAN1234);

pub(crate) const JUSTINFAN1234: &str = "justinfan1234";

mod internal;
pub use internal::StringMarker;

/// Synchronous methods
pub mod sync;

/// A trait for converting crate types between `Owned` and `Borrowed` representations
///
/// # Example
/// ```rust
/// # use twitchchat::*;
/// # use twitchchat::messages::*;
/// let input = ":test!test@test JOIN #museun\r\n";
/// let message : Raw<&str> = decode::decode(&input).next().unwrap().unwrap();
/// let message_owned : Raw<String> = message.as_owned();
///
/// let join : Join<&str> = Join::parse(&message).unwrap();
/// let owned : Join<String> = join.as_owned();
/// let borrowed : Join<&str> = join.as_borrowed();
///
/// assert_eq!(borrowed, join);
/// ```
pub trait Conversion<'a> {
    /// The borrowed type
    type Borrowed: 'a;
    /// The owned type
    type Owned;

    /// Get a borrowed version
    fn as_borrowed(&'a self) -> Self::Borrowed;
    /// Get an owned version
    fn as_owned(&self) -> Self::Owned;
}

/// A trait for parsing messages
///
/// # Example
/// ```rust
/// # use twitchchat::*;
/// # use twitchchat::messages::*;
/// let input = ":test!test@test JOIN #museun\r\n";
/// let message : Raw<&str> = decode::decode(&input).next().unwrap().unwrap();
/// let join : Join<&str> = Join::parse(&message).unwrap();
/// assert_eq!(join, Join { channel: "#museun", user: "test" });
/// ```
pub trait Parse<T>
where
    Self: Sized,
    Self: crate::internal::private::parse_marker::Sealed<T>,
{
    /// Tries to parse the input as this message
    fn parse(input: T) -> Result<Self, crate::messages::InvalidMessage>;
}