http_type/websocket_frame/
impl.rs

1use crate::*;
2
3/// Implements the `Default` trait for `WebSocketFrame`.
4///
5/// Provides a default `WebSocketFrame` with `fin: false`, `opcode: WebSocketOpcode::Text`,
6/// `mask: false`, and an empty `payload_data`.
7impl Default for WebSocketFrame {
8    /// Returns the default `WebSocketFrame`.
9    ///
10    /// # Returns
11    ///
12    /// A default `WebSocketFrame` instance.
13    #[inline(always)]
14    fn default() -> Self {
15        Self {
16            fin: false,
17            opcode: WebSocketOpcode::Text,
18            mask: false,
19            payload_data: Vec::new(),
20        }
21    }
22}
23
24impl WebSocketOpcode {
25    /// Creates a `WebSocketOpcode` from a raw u8 value.
26    ///
27    /// # Arguments
28    ///
29    /// - `opcode`: The raw opcode value.
30    ///
31    /// # Returns
32    ///
33    /// A `WebSocketOpcode` enum variant corresponding to the raw value.
34    #[inline(always)]
35    pub fn from_u8(opcode: u8) -> Self {
36        match opcode {
37            0x0 => Self::Continuation,
38            0x1 => Self::Text,
39            0x2 => Self::Binary,
40            0x8 => Self::Close,
41            0x9 => Self::Ping,
42            0xA => Self::Pong,
43            _ => Self::Reserved(opcode),
44        }
45    }
46
47    /// Converts the `WebSocketOpcode` to its raw u8 value.
48    ///
49    /// # Returns
50    ///
51    /// The raw u8 value of the opcode.
52    #[inline(always)]
53    pub fn to_u8(&self) -> u8 {
54        match self {
55            Self::Continuation => 0x0,
56            Self::Text => 0x1,
57            Self::Binary => 0x2,
58            Self::Close => 0x8,
59            Self::Ping => 0x9,
60            Self::Pong => 0xA,
61            Self::Reserved(code) => *code,
62        }
63    }
64
65    /// Checks if the opcode is a control frame.
66    ///
67    /// # Returns
68    ///
69    /// `true` if the opcode represents a control frame (Close, Ping, Pong), otherwise `false`.
70    #[inline(always)]
71    pub fn is_control(&self) -> bool {
72        matches!(self, Self::Close | Self::Ping | Self::Pong)
73    }
74
75    /// Checks if the opcode is a data frame.
76    ///
77    /// # Returns
78    ///
79    /// `true` if the opcode represents a data frame (Text, Binary, Continuation), otherwise `false`.
80    #[inline(always)]
81    pub fn is_data(&self) -> bool {
82        matches!(self, Self::Text | Self::Binary | Self::Continuation)
83    }
84
85    /// Checks if the opcode is a continuation frame.
86    ///
87    /// # Returns
88    ///
89    /// `true` if the opcode is `Continuation`, otherwise `false`.
90    #[inline(always)]
91    pub fn is_continuation(&self) -> bool {
92        matches!(self, Self::Continuation)
93    }
94
95    /// Checks if the opcode is a text frame.
96    ///
97    /// # Returns
98    ///
99    /// `true` if the opcode is `Text`, otherwise `false`.
100    #[inline(always)]
101    pub fn is_text(&self) -> bool {
102        matches!(self, Self::Text)
103    }
104
105    /// Checks if the opcode is a binary frame.
106    ///
107    /// # Returns
108    ///
109    /// `true` if the opcode is `Binary`, otherwise `false`.
110    #[inline(always)]
111    pub fn is_binary(&self) -> bool {
112        matches!(self, Self::Binary)
113    }
114
115    /// Checks if the opcode is a close frame.
116    ///
117    /// # Returns
118    ///
119    /// `true` if the opcode is `Close`, otherwise `false`.
120    #[inline(always)]
121    pub fn is_close(&self) -> bool {
122        matches!(self, Self::Close)
123    }
124
125    /// Checks if the opcode is a ping frame.
126    ///
127    /// # Returns
128    ///
129    /// `true` if the opcode is `Ping`, otherwise `false`.
130    #[inline(always)]
131    pub fn is_ping(&self) -> bool {
132        matches!(self, Self::Ping)
133    }
134
135    /// Checks if the opcode is a pong frame.
136    ///
137    /// # Returns
138    ///
139    /// `true` if the opcode is `Pong`, otherwise `false`.
140    #[inline(always)]
141    pub fn is_pong(&self) -> bool {
142        matches!(self, Self::Pong)
143    }
144
145    /// Checks if the opcode is a reserved frame.
146    ///
147    /// # Returns
148    ///
149    /// `true` if the opcode is `Reserved(_)`, otherwise `false`.
150    #[inline(always)]
151    pub fn is_reserved(&self) -> bool {
152        matches!(self, Self::Reserved(_))
153    }
154}
155
156impl WebSocketFrame {
157    /// Decodes a WebSocket frame from the provided data slice.
158    ///
159    /// This function parses the raw bytes from a WebSocket stream according to the WebSocket protocol
160    /// specification to reconstruct a `WebSocketFrame`. It handles FIN bit, opcode, mask bit,
161    /// payload length (including extended lengths), mask key, and the payload data itself.
162    ///
163    /// # Arguments
164    ///
165    /// - `AsRef<[u8]>` - The raw data to decode into a WebSocket frame.
166    ///
167    /// # Returns
168    ///
169    /// - `Some((WebSocketFrame, usize))`: If the frame is successfully decoded, returns the decoded frame
170    ///   and the number of bytes consumed from the input slice.
171    /// - `None`: If the frame is incomplete or malformed.
172    pub fn decode_ws_frame<D>(data: D) -> WebsocketFrameWithLengthOption
173    where
174        D: AsRef<[u8]>,
175    {
176        let data_ref: &[u8] = data.as_ref();
177        if data_ref.len() < 2 {
178            return None;
179        }
180        let mut index: usize = 0;
181        let fin: bool = (data_ref[index] & 0b1000_0000) != 0;
182        let opcode: WebSocketOpcode = WebSocketOpcode::from_u8(data_ref[index] & 0b0000_1111);
183        index += 1;
184        let mask: bool = (data_ref[index] & 0b1000_0000) != 0;
185        let mut payload_len: usize = (data_ref[index] & 0b0111_1111) as usize;
186        index += 1;
187        if payload_len == 126 {
188            if data_ref.len() < index + 2 {
189                return None;
190            }
191            payload_len = u16::from_be_bytes(data_ref[index..index + 2].try_into().ok()?) as usize;
192            index += 2;
193        } else if payload_len == 127 {
194            if data_ref.len() < index + 8 {
195                return None;
196            }
197            payload_len = u64::from_be_bytes(data_ref[index..index + 8].try_into().ok()?) as usize;
198            index += 8;
199        }
200        let mask_key: Option<[u8; 4]> = if mask {
201            if data_ref.len() < index + 4 {
202                return None;
203            }
204            let key: [u8; 4] = data_ref[index..index + 4].try_into().ok()?;
205            index += 4;
206            Some(key)
207        } else {
208            None
209        };
210        if data_ref.len() < index + payload_len {
211            return None;
212        }
213        let mut payload: Vec<u8> = data_ref[index..index + payload_len].to_vec();
214        if let Some(mask_key) = mask_key {
215            for (i, byte) in payload.iter_mut().enumerate() {
216                *byte ^= mask_key[i % 4];
217            }
218        }
219        index += payload_len;
220        let frame: WebSocketFrame = WebSocketFrame {
221            fin,
222            opcode,
223            mask,
224            payload_data: payload,
225        };
226        Some((frame, index))
227    }
228
229    /// Creates a list of response frames from the provided body.
230    ///
231    /// This method segments the response body into WebSocket frames, respecting the maximum frame size
232    /// and handling UTF-8 character boundaries for text frames. It determines the appropriate opcode
233    /// (Text or Binary) based on the body's content.
234    ///
235    /// # Arguments
236    ///
237    /// - `AsRef<[u8]>` - A reference to a response body (payload) as a byte slice.
238    ///
239    /// # Returns
240    ///
241    /// - A vector of `ResponseBody` (byte vectors), where each element represents a framed WebSocket message.
242    pub fn create_frame_list<D>(data: D) -> Vec<ResponseBody>
243    where
244        D: AsRef<[u8]>,
245    {
246        let data_ref: &[u8] = data.as_ref();
247        let total_len: usize = data_ref.len();
248        let mut offset: usize = 0;
249        let mut frames_list: Vec<ResponseBody> =
250            Vec::with_capacity((total_len / MAX_FRAME_SIZE) + 1);
251        let mut is_first_frame: bool = true;
252        let is_valid_utf8: bool = std::str::from_utf8(data_ref).is_ok();
253        let base_opcode: WebSocketOpcode = if is_valid_utf8 {
254            WebSocketOpcode::Text
255        } else {
256            WebSocketOpcode::Binary
257        };
258        while offset < total_len {
259            let remaining: usize = total_len - offset;
260            let mut frame_size: usize = remaining.min(MAX_FRAME_SIZE);
261            if is_valid_utf8 && frame_size < remaining {
262                while frame_size > 0 && (data_ref[offset + frame_size] & 0xC0) == 0x80 {
263                    frame_size -= 1;
264                }
265                if frame_size == 0 {
266                    frame_size = remaining.min(MAX_FRAME_SIZE);
267                }
268            }
269            let mut frame: ResponseBody = Vec::with_capacity(frame_size + 10);
270            let opcode: WebSocketOpcode = if is_first_frame {
271                base_opcode
272            } else {
273                WebSocketOpcode::Continuation
274            };
275            let fin: u8 = if remaining > frame_size { 0x00 } else { 0x80 };
276            let opcode_byte: u8 = opcode.to_u8() & 0x0F;
277            frame.push(fin | opcode_byte);
278            if frame_size < 126 {
279                frame.push(frame_size as u8);
280            } else if frame_size <= MAX_FRAME_SIZE {
281                frame.push(126);
282                frame.extend_from_slice(&(frame_size as u16).to_be_bytes());
283            } else {
284                frame.push(127);
285                frame.extend_from_slice(&(frame_size as u16).to_be_bytes());
286            }
287            let end: usize = offset + frame_size;
288            frame.extend_from_slice(&data_ref[offset..end]);
289            frames_list.push(frame);
290            offset = end;
291            is_first_frame = false;
292        }
293        frames_list
294    }
295
296    /// Calculates the SHA-1 hash of the input data.
297    ///
298    /// This function implements the SHA-1 cryptographic hash algorithm according to RFC 3174.
299    /// It processes the input data in 512-bit (64-byte) blocks and produces a 160-bit (20-byte) hash.
300    ///
301    /// # Arguments
302    ///
303    /// - `AsRef<[u8]>` - The input data to be hashed.
304    ///
305    /// # Returns
306    ///
307    /// - A 20-byte array representing the SHA-1 hash of the input data.
308    pub fn sha1<D>(data: D) -> [u8; 20]
309    where
310        D: AsRef<[u8]>,
311    {
312        let data_ref: &[u8] = data.as_ref();
313        let mut hash_state: [u32; 5] = HASH_STATE;
314        let mut padded_data: Vec<u8> = Vec::from(data_ref);
315        let original_length_bits: u64 = (padded_data.len() * 8) as u64;
316        padded_data.push(0x80);
317        while !(padded_data.len() + 8).is_multiple_of(64) {
318            padded_data.push(0);
319        }
320        padded_data.extend_from_slice(&original_length_bits.to_be_bytes());
321        for block in padded_data.chunks_exact(64) {
322            let mut message_schedule: [u32; 80] = [0u32; 80];
323            for (i, block_chunk) in block.chunks_exact(4).enumerate().take(16) {
324                message_schedule[i] = u32::from_be_bytes([
325                    block_chunk[0],
326                    block_chunk[1],
327                    block_chunk[2],
328                    block_chunk[3],
329                ]);
330            }
331            for i in 16..80 {
332                message_schedule[i] = (message_schedule[i - 3]
333                    ^ message_schedule[i - 8]
334                    ^ message_schedule[i - 14]
335                    ^ message_schedule[i - 16])
336                    .rotate_left(1);
337            }
338            let [mut a, mut b, mut c, mut d, mut e] = hash_state;
339            for (i, &word) in message_schedule.iter().enumerate() {
340                let (f, k) = match i {
341                    0..=19 => ((b & c) | (!b & d), 0x5A827999),
342                    20..=39 => (b ^ c ^ d, 0x6ED9EBA1),
343                    40..=59 => ((b & c) | (b & d) | (c & d), 0x8F1BBCDC),
344                    _ => (b ^ c ^ d, 0xCA62C1D6),
345                };
346                let temp: u32 = a
347                    .rotate_left(5)
348                    .wrapping_add(f)
349                    .wrapping_add(e)
350                    .wrapping_add(k)
351                    .wrapping_add(word);
352                e = d;
353                d = c;
354                c = b.rotate_left(30);
355                b = a;
356                a = temp;
357            }
358            hash_state[0] = hash_state[0].wrapping_add(a);
359            hash_state[1] = hash_state[1].wrapping_add(b);
360            hash_state[2] = hash_state[2].wrapping_add(c);
361            hash_state[3] = hash_state[3].wrapping_add(d);
362            hash_state[4] = hash_state[4].wrapping_add(e);
363        }
364        let mut result: [u8; 20] = [0u8; 20];
365        for (i, &val) in hash_state.iter().enumerate() {
366            result[i * 4..(i + 1) * 4].copy_from_slice(&val.to_be_bytes());
367        }
368        result
369    }
370
371    /// Generates a WebSocket accept key from the client-provided key.
372    ///
373    /// This function is used during the WebSocket handshake to validate the client's request.
374    /// It concatenates the client's key with a specific GUID, calculates the SHA-1 hash of the result,
375    /// and then encodes the hash in base64.
376    ///
377    /// # Arguments
378    ///
379    /// - `AsRef<str>` - The client-provided key (typically from the `Sec-WebSocket-Key` header).
380    ///
381    /// # Returns
382    ///
383    /// - A string representing the generated WebSocket accept key (typically for the `Sec-WebSocket-Accept` header).
384    pub fn generate_accept_key<K>(key: K) -> String
385    where
386        K: AsRef<str>,
387    {
388        let key_ref: &str = key.as_ref();
389        let mut data: [u8; 60] = [0u8; 60];
390        data[..24].copy_from_slice(&key_ref.as_bytes()[..24.min(key_ref.len())]);
391        data[24..].copy_from_slice(GUID);
392        let hash: [u8; 20] = Self::sha1(data);
393        Self::base64_encode(hash)
394    }
395
396    /// Encodes the input data as a base64 string.
397    ///
398    /// This function implements the Base64 encoding scheme, converting binary data into an ASCII string format.
399    /// It processes the input data in chunks of 3 bytes and encodes them into 4 base64 characters.
400    /// Padding with '=' characters is applied if necessary.
401    ///
402    /// # Arguments
403    ///
404    /// - `AsRef<[u8]>` - The data to encode in base64.
405    ///
406    /// # Returns
407    ///
408    /// - A string with the base64 encoded representation of the input data.
409    pub fn base64_encode<D>(data: D) -> String
410    where
411        D: AsRef<[u8]>,
412    {
413        let data_ref: &[u8] = data.as_ref();
414        let mut encoded_data: Vec<u8> = Vec::with_capacity(data_ref.len().div_ceil(3) * 4);
415        for chunk in data_ref.chunks(3) {
416            let mut buffer: [u8; 3] = [0u8; 3];
417            buffer[..chunk.len()].copy_from_slice(chunk);
418            let indices: [u8; 4] = [
419                buffer[0] >> 2,
420                ((buffer[0] & 0b11) << 4) | (buffer[1] >> 4),
421                ((buffer[1] & 0b1111) << 2) | (buffer[2] >> 6),
422                buffer[2] & 0b111111,
423            ];
424            for &idx in &indices[..chunk.len() + 1] {
425                encoded_data.push(BASE64_CHARSET_TABLE[idx as usize]);
426            }
427            while !encoded_data.len().is_multiple_of(4) {
428                encoded_data.push(EQUAL_BYTES[0]);
429            }
430        }
431        String::from_utf8(encoded_data).unwrap()
432    }
433
434    /// Checks if the opcode is a continuation frame.
435    ///
436    /// # Returns
437    ///
438    /// `true` if the opcode is `Continuation`, otherwise `false`.
439    #[inline(always)]
440    pub fn is_continuation_opcode(&self) -> bool {
441        self.opcode.is_continuation()
442    }
443
444    /// Checks if the opcode is a text frame.
445    ///
446    /// # Returns
447    ///
448    /// `true` if the opcode is `Text`, otherwise `false`.
449    #[inline(always)]
450    pub fn is_text_opcode(&self) -> bool {
451        self.opcode.is_text()
452    }
453
454    /// Checks if the opcode is a binary frame.
455    ///
456    /// # Returns
457    ///
458    /// `true` if the opcode is `Binary`, otherwise `false`.
459    #[inline(always)]
460    pub fn is_binary_opcode(&self) -> bool {
461        self.opcode.is_binary()
462    }
463
464    /// Checks if the opcode is a close frame.
465    ///
466    /// # Returns
467    ///
468    /// `true` if the opcode is `Close`, otherwise `false`.
469    #[inline(always)]
470    pub fn is_close_opcode(&self) -> bool {
471        self.opcode.is_close()
472    }
473
474    /// Checks if the opcode is a ping frame.
475    ///
476    /// # Returns
477    ///
478    /// `true` if the opcode is `Ping`, otherwise `false`.
479    #[inline(always)]
480    pub fn is_ping_opcode(&self) -> bool {
481        self.opcode.is_ping()
482    }
483
484    /// Checks if the opcode is a pong frame.
485    ///
486    /// # Returns
487    ///
488    /// `true` if the opcode is `Pong`, otherwise `false`.
489    #[inline(always)]
490    pub fn is_pong_opcode(&self) -> bool {
491        self.opcode.is_pong()
492    }
493
494    /// Checks if the opcode is a reserved frame.
495    ///
496    /// # Returns
497    ///
498    /// `true` if the opcode is `Reserved(_)`, otherwise `false`.
499    #[inline(always)]
500    pub fn is_reserved_opcode(&self) -> bool {
501        self.opcode.is_reserved()
502    }
503}