mirror of
https://github.com/mat-1/azalea.git
synced 2025-08-02 06:16:04 +00:00
* start updating to 22w42a * work a bit more on 22w42a * player chat packet * serverbound hello packet * Update mod.rs * add more stuff to clientbound player chat packet * ClientboundPlayerInfoUpdatePacket * features enabled and container closed * serverbound chat packets * make it compile * 22w43a * ServerboundChatSessionUpdatePacket * profile_public_key isn't Option anymore * Update bitset.rs * joining a server works * fix entitydatavalue * backtraces + fix clientbound chat message * fix some warnings and add more ecomments * 22w44a * generate en_us.json * add updating guide to codegen/readme * fix some markdown * update list of generated things * metadata stuff * Replace PJS generator mod with PixLyzer (#38) * pixlizer extractor * start working on shape extraction * fix generating language * fix pixlyzer shape generation * use empty_shape * generate blocks and shapes * update pixlyzer dir * Revert "update pixlyzer dir" This reverts commitee9a0e7a49
. * fix * fix * Revert "fix" This reverts commitad12ddcb00
. * fix * detect pixlyzer fail * fix pixlyzer * 22w45a * gen entities * add async-trait dep * update codegen/readme.md * explain when rust_log should be used * remove some unused code * start fixing pixlyzer issues * fix a thing in codegen * almost fixed * more progress towards 1.19.3 * 1.19.3-pre2 * fixes * revert some hardcoded property names * Delete clientbound_player_info_packet.rs * handle 1.19.3 player info packets * handle playerinforemove * start updating to 1.19.3-rc1 * optional registries work * fix some issues with 1.19.3 chat doesn't work yet * aaaaaaaaaaaaaaaaa * oh * ignore unused shapes * uncomment generate_blocks * fix migrate * 1.19.3-rc2 * fix clippy warnings * 1.19.3-rc3 * split the azalea-buf macro into separate modules * improve Recipe in protocol * 1.19.3
96 lines
2.7 KiB
Rust
Executable file
96 lines
2.7 KiB
Rust
Executable file
//! Write packets to a stream.
|
|
|
|
use crate::{packets::ProtocolPacket, read::MAXIMUM_UNCOMPRESSED_LENGTH};
|
|
use async_compression::tokio::bufread::ZlibEncoder;
|
|
use azalea_buf::McBufVarWritable;
|
|
use azalea_crypto::Aes128CfbEnc;
|
|
use log::trace;
|
|
use std::fmt::Debug;
|
|
use thiserror::Error;
|
|
use tokio::io::{AsyncReadExt, AsyncWrite, AsyncWriteExt};
|
|
|
|
/// Prepend the length of the packet to it.
|
|
fn frame_prepender(mut data: Vec<u8>) -> Result<Vec<u8>, std::io::Error> {
|
|
let mut buf = Vec::new();
|
|
(data.len() as u32).var_write_into(&mut buf)?;
|
|
buf.append(&mut data);
|
|
Ok(buf)
|
|
}
|
|
|
|
#[derive(Error, Debug)]
|
|
pub enum PacketEncodeError {
|
|
#[error("{0}")]
|
|
Io(#[from] std::io::Error),
|
|
#[error("Packet too big (is {actual} bytes, should be less than {maximum}): {packet_string}")]
|
|
TooBig {
|
|
actual: usize,
|
|
maximum: usize,
|
|
packet_string: String,
|
|
},
|
|
}
|
|
|
|
fn packet_encoder<P: ProtocolPacket + std::fmt::Debug>(
|
|
packet: &P,
|
|
) -> Result<Vec<u8>, PacketEncodeError> {
|
|
let mut buf = Vec::new();
|
|
packet.id().var_write_into(&mut buf)?;
|
|
packet.write(&mut buf)?;
|
|
if buf.len() > MAXIMUM_UNCOMPRESSED_LENGTH as usize {
|
|
return Err(PacketEncodeError::TooBig {
|
|
actual: buf.len(),
|
|
maximum: MAXIMUM_UNCOMPRESSED_LENGTH as usize,
|
|
packet_string: format!("{packet:?}"),
|
|
});
|
|
}
|
|
Ok(buf)
|
|
}
|
|
|
|
#[derive(Error, Debug)]
|
|
pub enum PacketCompressError {
|
|
#[error("{0}")]
|
|
Io(#[from] std::io::Error),
|
|
}
|
|
|
|
async fn compression_encoder(
|
|
data: &[u8],
|
|
compression_threshold: u32,
|
|
) -> Result<Vec<u8>, PacketCompressError> {
|
|
let n = data.len();
|
|
// if it's less than the compression threshold, don't compress
|
|
if n < compression_threshold as usize {
|
|
let mut buf = Vec::new();
|
|
0.var_write_into(&mut buf)?;
|
|
buf.write_all(data).await?;
|
|
Ok(buf)
|
|
} else {
|
|
// otherwise, compress
|
|
let mut deflater = ZlibEncoder::new(data);
|
|
// write deflated data to buf
|
|
let mut buf = Vec::new();
|
|
deflater.read_to_end(&mut buf).await?;
|
|
Ok(buf)
|
|
}
|
|
}
|
|
|
|
pub async fn write_packet<P, W>(
|
|
packet: &P,
|
|
stream: &mut W,
|
|
compression_threshold: Option<u32>,
|
|
cipher: &mut Option<Aes128CfbEnc>,
|
|
) -> std::io::Result<()>
|
|
where
|
|
P: ProtocolPacket + Debug,
|
|
W: AsyncWrite + Unpin + Send,
|
|
{
|
|
trace!("Sending packet: {:?}", packet);
|
|
let mut buf = packet_encoder(packet).unwrap();
|
|
if let Some(threshold) = compression_threshold {
|
|
buf = compression_encoder(&buf, threshold).await.unwrap();
|
|
}
|
|
buf = frame_prepender(buf).unwrap();
|
|
// if we were given a cipher, encrypt the packet
|
|
if let Some(cipher) = cipher {
|
|
azalea_crypto::encrypt_packet(cipher, &mut buf);
|
|
}
|
|
stream.write_all(&buf).await
|
|
}
|