update code to be better

This commit is contained in:
Skye 2025-02-24 17:42:55 +09:00
parent 0d4aae1d63
commit e621cca1c2
Signed by: me
GPG key ID: 0104BC05F41B77B8
6 changed files with 894 additions and 537 deletions

1257
Cargo.lock generated

File diff suppressed because it is too large Load diff

View file

@ -7,17 +7,15 @@ license = "MIT OR Apache-2.0"
# See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html # See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html
[dependencies] [dependencies]
anyhow = { version = "1.0.71", features = ["backtrace"] }
async-trait = "0.1.68"
axum = "0.6.18" axum = "0.6.18"
env_logger = "0.10.0" env_logger = "0.10.0"
idna = "0.4.0" eyre = "0.6.12"
idna = "1.0.3"
log = "0.4.19" log = "0.4.19"
parking_lot = "0.12.1" parking_lot = "0.12.3"
quinn = "0.10.1" quinn = "0.11.6"
rand = "0.8.5" rand = "0.9.0"
rustls = "0.21.9" rustls-pemfile = "2"
rustls-pemfile = "1.0.2"
serde = { version = "1.0.164", features = ["derive"] } serde = { version = "1.0.164", features = ["derive"] }
serde_json = "1.0.97" serde_json = "1.0.97"
thiserror = "1.0.40" thiserror = "1.0.40"
@ -25,4 +23,4 @@ tokio = { version = "1.28.2", features = ["rt-multi-thread", "fs", "macros", "io
[profile.release] [profile.release]
lto = "fat" lto = "fat"
debug = "full" debug = "full"

View file

@ -4,16 +4,19 @@
use std::{convert::Infallible, net::SocketAddr, sync::Arc, time::Duration}; use std::{convert::Infallible, net::SocketAddr, sync::Arc, time::Duration};
use anyhow::{anyhow, Context};
use axum::{ use axum::{
http::StatusCode, http::StatusCode,
routing::{get, post}, routing::{get, post},
}; };
use eyre::{eyre, Context};
use log::{error, info}; use log::{error, info};
use netty::{Handshake, ReadError}; use netty::{Handshake, ReadError};
use quinn::{Connecting, ConnectionError, Endpoint, ServerConfig, TransportConfig}; use quinn::{
crypto::rustls::QuicServerConfig,
rustls::pki_types::{CertificateDer, PrivateKeyDer},
ConnectionError, Endpoint, Incoming, ServerConfig, TransportConfig,
};
use routing::RoutingTable; use routing::RoutingTable;
use rustls::{Certificate, PrivateKey};
use tokio::{ use tokio::{
io::{AsyncReadExt, AsyncWriteExt}, io::{AsyncReadExt, AsyncWriteExt},
net::TcpStream, net::TcpStream,
@ -30,50 +33,28 @@ mod routing;
mod unicode_madness; mod unicode_madness;
mod wordlist; mod wordlist;
fn any_private_keys(rd: &mut dyn std::io::BufRead) -> Result<Vec<Vec<u8>>, std::io::Error> { fn get_certs() -> eyre::Result<(Vec<CertificateDer<'static>>, PrivateKeyDer<'static>)> {
let mut keys = Vec::<Vec<u8>>::new();
loop {
match rustls_pemfile::read_one(rd)? {
None => return Ok(keys),
Some(
rustls_pemfile::Item::RSAKey(key)
| rustls_pemfile::Item::PKCS8Key(key)
| rustls_pemfile::Item::ECKey(key),
) => keys.push(key),
_ => {}
};
}
}
fn get_certs() -> anyhow::Result<(Vec<Certificate>, PrivateKey)> {
let mut cert_file = std::io::BufReader::new(std::fs::File::open( let mut cert_file = std::io::BufReader::new(std::fs::File::open(
std::env::var("QUICLIME_CERT_PATH").context("Reading QUICLIME_CERT_PATH")?, std::env::var("QUICLIME_CERT_PATH").context("Reading QUICLIME_CERT_PATH")?,
)?); )?);
let certs = rustls_pemfile::certs(&mut cert_file)? let certs = rustls_pemfile::certs(&mut cert_file)
.into_iter() .filter_map(Result::ok)
.map(Certificate)
.collect(); .collect();
let mut key_file = std::io::BufReader::new(std::fs::File::open( let mut key_file = std::io::BufReader::new(std::fs::File::open(
std::env::var("QUICLIME_KEY_PATH").context("Reading QUICLIME_KEY_PATH")?, std::env::var("QUICLIME_KEY_PATH").context("Reading QUICLIME_KEY_PATH")?,
)?); )?);
let key = PrivateKey( let key = rustls_pemfile::private_key(&mut key_file)?.ok_or(eyre!("No private key?"))?;
any_private_keys(&mut key_file)?
.into_iter()
.next()
.ok_or(anyhow::anyhow!("No private key?"))?,
);
Ok((certs, key)) Ok((certs, key))
} }
async fn create_server_config() -> anyhow::Result<ServerConfig> { async fn create_server_config() -> eyre::Result<ServerConfig> {
let (cert_chain, key_der) = tokio::task::spawn_blocking(get_certs).await??; let (cert_chain, key_der) = tokio::task::spawn_blocking(get_certs).await??;
let mut rustls_config = rustls::ServerConfig::builder() let mut rustls_config = quinn::rustls::ServerConfig::builder()
.with_safe_defaults()
.with_no_client_auth() .with_no_client_auth()
.with_single_cert(cert_chain, key_der)?; .with_single_cert(cert_chain, key_der)?;
rustls_config.alpn_protocols = vec![b"quiclime".to_vec()]; rustls_config.alpn_protocols = vec![b"quiclime".to_vec()];
let mut config = ServerConfig::with_crypto(Arc::new(rustls_config)); let quic_rustls_config = QuicServerConfig::try_from(rustls_config)?;
let mut config = ServerConfig::with_crypto(Arc::new(quic_rustls_config));
let mut transport = TransportConfig::default(); let mut transport = TransportConfig::default();
transport transport
.max_concurrent_bidi_streams(1u32.into()) .max_concurrent_bidi_streams(1u32.into())
@ -84,7 +65,7 @@ async fn create_server_config() -> anyhow::Result<ServerConfig> {
} }
#[tokio::main] #[tokio::main]
async fn main() -> anyhow::Result<()> { async fn main() -> eyre::Result<()> {
env_logger::init(); env_logger::init();
// JUSTIFICATION: this lives until the end of the entire program // JUSTIFICATION: this lives until the end of the entire program
let endpoint = Box::leak(Box::new(Endpoint::server( let endpoint = Box::leak(Box::new(Endpoint::server(
@ -106,10 +87,7 @@ async fn main() -> anyhow::Result<()> {
Ok(()) Ok(())
} }
async fn try_handle_quic( async fn try_handle_quic(connection: Incoming, routing_table: &RoutingTable) -> eyre::Result<()> {
connection: Connecting,
routing_table: &RoutingTable,
) -> anyhow::Result<()> {
let connection = connection.await?; let connection = connection.await?;
info!( info!(
"QUIClime connection established to: {}", "QUIClime connection established to: {}",
@ -163,7 +141,7 @@ async fn try_handle_quic(
} else if let Err(ConnectionError::ConnectionClosed(_)) = pair { } else if let Err(ConnectionError::ConnectionClosed(_)) = pair {
break; break;
} }
remote.send(pair?).map_err(|e| anyhow::anyhow!("{:?}", e))?; remote.send(pair?).map_err(|e| eyre!("{:?}", e))?;
} }
routing::RouterRequest::BroadcastRequest(message) => { routing::RouterRequest::BroadcastRequest(message) => {
let response = let response =
@ -180,9 +158,9 @@ async fn try_handle_quic(
} }
} }
async fn handle_quic(connection: Connecting, routing_table: &RoutingTable) { async fn handle_quic(connection: Incoming, routing_table: &RoutingTable) {
if let Err(e) = try_handle_quic(connection, routing_table).await { if let Err(e) = try_handle_quic(connection, routing_table).await {
error!("Error handling QUIClime connection: {}", e); error!("Error handling QUIClime connection: {:#}", e);
}; };
info!("Finished handling QUIClime connection"); info!("Finished handling QUIClime connection");
} }
@ -190,17 +168,17 @@ async fn handle_quic(connection: Connecting, routing_table: &RoutingTable) {
async fn listen_quic( async fn listen_quic(
endpoint: &'static Endpoint, endpoint: &'static Endpoint,
routing_table: &'static RoutingTable, routing_table: &'static RoutingTable,
) -> anyhow::Result<Infallible> { ) -> eyre::Result<Infallible> {
while let Some(connection) = endpoint.accept().await { while let Some(connection) = endpoint.accept().await {
tokio::spawn(handle_quic(connection, routing_table)); tokio::spawn(handle_quic(connection, routing_table));
} }
Err(anyhow!("quiclime endpoint closed")) Err(eyre!("quiclime endpoint closed"))
} }
async fn listen_control( async fn listen_control(
endpoint: &'static Endpoint, endpoint: &'static Endpoint,
routing_table: &'static RoutingTable, routing_table: &'static RoutingTable,
) -> anyhow::Result<Infallible> { ) -> eyre::Result<Infallible> {
let app = axum::Router::new() let app = axum::Router::new()
.route( .route(
"/metrics", "/metrics",
@ -235,16 +213,16 @@ async fn listen_control(
) )
.serve(app.into_make_service()) .serve(app.into_make_service())
.await?; .await?;
Err(anyhow!("control endpoint closed")) Err(eyre!("control endpoint closed"))
} }
async fn try_handle_minecraft( async fn try_handle_minecraft(
mut connection: TcpStream, mut connection: TcpStream,
routing_table: &'static RoutingTable, routing_table: &'static RoutingTable,
) -> anyhow::Result<()> { ) -> eyre::Result<()> {
let peer = connection.peer_addr()?; let peer = connection.peer_addr()?;
info!("Minecraft client connected from: {}", peer); info!("Minecraft client connected from: {}", peer);
let handshake = netty::read_packet(&mut connection).await; let handshake = netty::read_packet(&mut connection, 512).await;
if let Err(ReadError::LegacyServerListPing) = handshake { if let Err(ReadError::LegacyServerListPing) = handshake {
connection connection
.write_all(include_bytes!("legacy_serverlistping_response.bin")) .write_all(include_bytes!("legacy_serverlistping_response.bin"))
@ -265,23 +243,21 @@ async fn try_handle_minecraft(
_ = tokio::io::copy(&mut recv_host, &mut send_client) => () _ = tokio::io::copy(&mut recv_host, &mut send_client) => ()
} }
_ = connection.shutdown().await; _ = connection.shutdown().await;
_ = send_host.finish().await; _ = send_host.finish();
_ = recv_host.stop(0u32.into()); _ = recv_host.stop(0u32.into());
_ = send_host.stopped().await;
info!("Minecraft client disconnected from: {}", peer); info!("Minecraft client disconnected from: {}", peer);
Ok(()) Ok(())
} }
async fn politely_disconnect( async fn politely_disconnect(mut connection: TcpStream, handshake: Handshake) -> eyre::Result<()> {
mut connection: TcpStream,
handshake: Handshake,
) -> anyhow::Result<()> {
match handshake.next_state { match handshake.next_state {
netty::HandshakeType::Status => { netty::HandshakeType::Status => {
let packet = netty::read_packet(&mut connection).await?; let packet = netty::read_packet(&mut connection, 0).await?;
let mut packet = packet.as_slice(); let mut packet = packet.as_slice();
let id = packet.read_varint()?; let id = packet.read_varint()?;
if id != 0 { if id != 0 {
return Err(anyhow!( return Err(eyre!(
"Packet isn't a Status Request(0x00), but {:#04x}", "Packet isn't a Status Request(0x00), but {:#04x}",
id id
)); ));
@ -292,14 +268,11 @@ async fn politely_disconnect(
.await?; .await?;
connection.write_varint(buf.len() as i32).await?; connection.write_varint(buf.len() as i32).await?;
connection.write_all(&buf).await?; connection.write_all(&buf).await?;
let packet = netty::read_packet(&mut connection).await?; let packet = netty::read_packet(&mut connection, 0).await?;
let mut packet = packet.as_slice(); let mut packet = packet.as_slice();
let id = packet.read_varint()?; let id = packet.read_varint()?;
if id != 1 { if id != 1 {
return Err(anyhow!( return Err(eyre!("Packet isn't a Ping Request(0x01), but {:#04x}", id));
"Packet isn't a Ping Request(0x01), but {:#04x}",
id
));
} }
let payload = packet.read_long()?; let payload = packet.read_long()?;
let mut buf = Vec::with_capacity(1 + 8); let mut buf = Vec::with_capacity(1 + 8);
@ -309,7 +282,7 @@ async fn politely_disconnect(
connection.write_all(&buf).await?; connection.write_all(&buf).await?;
} }
netty::HandshakeType::Login => { netty::HandshakeType::Login => {
let _ = netty::read_packet(&mut connection).await?; let _ = netty::read_packet(&mut connection, 128).await?;
let mut buf = vec![]; let mut buf = vec![];
buf.write_varint(0).await?; buf.write_varint(0).await?;
buf.write_string(include_str!("./disconnect_response.json")) buf.write_string(include_str!("./disconnect_response.json"))
@ -323,11 +296,11 @@ async fn politely_disconnect(
async fn handle_minecraft(connection: TcpStream, routing_table: &'static RoutingTable) { async fn handle_minecraft(connection: TcpStream, routing_table: &'static RoutingTable) {
if let Err(e) = try_handle_minecraft(connection, routing_table).await { if let Err(e) = try_handle_minecraft(connection, routing_table).await {
error!("Error handling Minecraft connection: {}", e.backtrace()); error!("Error handling Minecraft connection: {:#}", e);
}; };
} }
async fn listen_minecraft(routing_table: &'static RoutingTable) -> anyhow::Result<Infallible> { async fn listen_minecraft(routing_table: &'static RoutingTable) -> eyre::Result<Infallible> {
let server = tokio::net::TcpListener::bind( let server = tokio::net::TcpListener::bind(
std::env::var("QUICLIME_BIND_ADDR_MC") std::env::var("QUICLIME_BIND_ADDR_MC")
.context("Reading QUICLIME_BIND_ADDR_MC")? .context("Reading QUICLIME_BIND_ADDR_MC")?
@ -340,7 +313,7 @@ async fn listen_minecraft(routing_table: &'static RoutingTable) -> anyhow::Resul
tokio::spawn(handle_minecraft(connection, routing_table)); tokio::spawn(handle_minecraft(connection, routing_table));
} }
Err(e) => { Err(e) => {
error!("Error accepting minecraft connection: {}", e); error!("Error accepting minecraft connection: {:#}", e);
} }
} }
} }

View file

@ -4,7 +4,6 @@ use std::io::Read;
use tokio::io::{AsyncReadExt, AsyncWriteExt}; use tokio::io::{AsyncReadExt, AsyncWriteExt};
use async_trait::async_trait;
use log::error; use log::error;
use thiserror::Error; use thiserror::Error;
@ -14,6 +13,8 @@ pub enum ReadError {
IoError(std::io::Error), IoError(std::io::Error),
#[error("Was not a netty packet, but a Legacy ServerListPing")] #[error("Was not a netty packet, but a Legacy ServerListPing")]
LegacyServerListPing, LegacyServerListPing,
#[error("Packet was too large")]
PacketTooLarge,
} }
impl From<std::io::Error> for ReadError { impl From<std::io::Error> for ReadError {
@ -86,8 +87,22 @@ pub trait ReadExt: Read {
// } // }
} }
pub async fn read_packet(mut reader: impl AsyncReadExt + Unpin) -> Result<Vec<u8>, ReadError> { pub async fn read_packet(mut reader: impl AsyncReadExt + Unpin, max_size: usize) -> Result<Vec<u8>, ReadError> {
let len = read_varint(&mut reader).await?; let len = read_varint(&mut reader).await?;
if len < 0 || (len as usize) > max_size {
return Err(if len == 254 {
let mut temp = [0u8];
reader.read_exact(&mut temp).await?;
if temp[0] == 0xFA {
// FE 01 FA: Legacy ServerListPing
ReadError::LegacyServerListPing
} else {
ReadError::PacketTooLarge
}
} else {
ReadError::PacketTooLarge
})
}
let mut buf = vec![0u8; len as usize]; let mut buf = vec![0u8; len as usize];
if len == 254 { if len == 254 {
let mut temp = [0u8]; let mut temp = [0u8];
@ -119,7 +134,6 @@ async fn read_varint(mut reader: impl AsyncReadExt + Unpin) -> Result<i32, ReadE
impl<T: Read> ReadExt for T {} impl<T: Read> ReadExt for T {}
#[async_trait]
pub trait WriteExt: AsyncWriteExt + Unpin { pub trait WriteExt: AsyncWriteExt + Unpin {
async fn write_varint(&mut self, mut val: i32) -> std::io::Result<()> { async fn write_varint(&mut self, mut val: i32) -> std::io::Result<()> {
for _ in 0..5 { for _ in 0..5 {
@ -156,10 +170,10 @@ pub enum HandshakeType {
} }
impl Handshake { impl Handshake {
pub fn new(mut packet: &[u8]) -> anyhow::Result<Self> { pub fn new(mut packet: &[u8]) -> eyre::Result<Self> {
let packet_type = packet.read_varint()?; let packet_type = packet.read_varint()?;
if packet_type != 0 { if packet_type != 0 {
Err(anyhow::anyhow!("Not a Handshake packet")) Err(eyre::eyre!("Not a Handshake packet"))
} else { } else {
let protocol_version = packet.read_varint()?; let protocol_version = packet.read_varint()?;
let server_address = packet.read_string()?; let server_address = packet.read_string()?;
@ -167,7 +181,7 @@ impl Handshake {
let next_state = match packet.read_varint()? { let next_state = match packet.read_varint()? {
1 => HandshakeType::Status, 1 => HandshakeType::Status,
2 => HandshakeType::Login, 2 => HandshakeType::Login,
_ => return Err(anyhow::anyhow!("Invalid next state")), _ => return Err(eyre::eyre!("Invalid next state")),
}; };
Ok(Self { Ok(Self {
protocol_version, protocol_version,

View file

@ -54,33 +54,24 @@ impl RoutingTable {
recv.await.ok() recv.await.ok()
} }
fn random_domain(&self) -> String {
format!(
"{}-{}.{}",
crate::wordlist::ID_WORDS.choose(&mut rand::rng()).unwrap(),
crate::wordlist::ID_WORDS.choose(&mut rand::rng()).unwrap(),
self.base_domain
)
}
pub fn register(&self) -> RoutingHandle { pub fn register(&self) -> RoutingHandle {
let mut lock = self.table.write(); let mut lock = self.table.write();
let mut domain = format!( let mut domain = self.random_domain();
"{}-{}.{}",
crate::wordlist::ID_WORDS
.choose(&mut rand::thread_rng())
.unwrap(),
crate::wordlist::ID_WORDS
.choose(&mut rand::thread_rng())
.unwrap(),
self.base_domain
);
while lock.contains_key(&domain) { while lock.contains_key(&domain) {
warn!( warn!(
"Randomly selected domain {} conflicts; trying again", "Randomly selected domain {} conflicts; trying again",
domain domain
); );
domain = format!( domain = self.random_domain();
"{}-{}.{}",
crate::wordlist::ID_WORDS
.choose(&mut rand::thread_rng())
.unwrap(),
crate::wordlist::ID_WORDS
.choose(&mut rand::thread_rng())
.unwrap(),
self.base_domain
);
} }
domain = crate::unicode_madness::validate_and_normalize_domain(&domain) domain = crate::unicode_madness::validate_and_normalize_domain(&domain)
.expect("Resulting domain is not valid"); .expect("Resulting domain is not valid");

View file

@ -1,4 +1,4 @@
pub const ID_WORDS: [&str; 2048] = [ pub static ID_WORDS: [&str; 2048] = [
"abandon", "ability", "able", "about", "above", "absent", "absorb", "abstract", "absurd", "abandon", "ability", "able", "about", "above", "absent", "absorb", "abstract", "absurd",
"abuse", "access", "accident", "account", "accuse", "achieve", "acid", "acoustic", "acquire", "abuse", "access", "accident", "account", "accuse", "achieve", "acid", "acoustic", "acquire",
"across", "act", "action", "actor", "actress", "actual", "adapt", "add", "addict", "address", "across", "act", "action", "actor", "actress", "actual", "adapt", "add", "addict", "address",