wip: implemented hyper-1.0 for http/1.1 and http/2. todo: http/3 and backend handler
This commit is contained in:
		
					parent
					
						
							
								f3e8f8445f
							
						
					
				
			
			
				commit
				
					
						b639e79b4d
					
				
			
		
					 24 changed files with 1134 additions and 1275 deletions
				
			
		|  | @ -33,6 +33,9 @@ where | |||
| 
 | ||||
|   /// Shared context - Async task runtime handler
 | ||||
|   pub runtime_handle: tokio::runtime::Handle, | ||||
| 
 | ||||
|   /// Shared context - Notify object to stop async tasks
 | ||||
|   pub term_notify: Option<Arc<tokio::sync::Notify>>, | ||||
| } | ||||
| 
 | ||||
| /// Configuration parameters for proxy transport and request handlers
 | ||||
|  |  | |||
							
								
								
									
										16
									
								
								rpxy-lib/src/handler/error.rs
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										16
									
								
								rpxy-lib/src/handler/error.rs
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,16 @@ | |||
| use http::StatusCode; | ||||
| use thiserror::Error; | ||||
| 
 | ||||
| pub type HttpResult<T> = std::result::Result<T, HttpError>; | ||||
| 
 | ||||
| /// Describes things that can go wrong in the handler
 | ||||
| #[derive(Debug, Error)] | ||||
| pub enum HttpError {} | ||||
| 
 | ||||
| impl From<HttpError> for StatusCode { | ||||
|   fn from(e: HttpError) -> StatusCode { | ||||
|     match e { | ||||
|       _ => StatusCode::INTERNAL_SERVER_ERROR, | ||||
|     } | ||||
|   } | ||||
| } | ||||
|  | @ -1,9 +1,10 @@ | |||
| // Highly motivated by https://github.com/felipenoris/hyper-reverse-proxy
 | ||||
| use super::{ | ||||
|   forwarder::{ForwardRequest, Forwarder}, | ||||
|   error::*, | ||||
|   // forwarder::{ForwardRequest, Forwarder},
 | ||||
|   utils_headers::*, | ||||
|   utils_request::*, | ||||
|   utils_synth_response::*, | ||||
|   // utils_synth_response::*,
 | ||||
|   HandlerContext, | ||||
| }; | ||||
| use crate::{ | ||||
|  | @ -16,365 +17,368 @@ use crate::{ | |||
|   utils::ServerNameBytesExp, | ||||
| }; | ||||
| use derive_builder::Builder; | ||||
| use hyper::{ | ||||
|   client::connect::Connect, | ||||
| use http::{ | ||||
|   header::{self, HeaderValue}, | ||||
|   http::uri::Scheme, | ||||
|   Body, Request, Response, StatusCode, Uri, Version, | ||||
|   uri::Scheme, | ||||
|   Request, Response, StatusCode, Uri, Version, | ||||
| }; | ||||
| use hyper::body::Incoming; | ||||
| use hyper_util::client::legacy::connect::Connect; | ||||
| use std::{net::SocketAddr, sync::Arc}; | ||||
| use tokio::{io::copy_bidirectional, time::timeout}; | ||||
| 
 | ||||
| #[derive(Clone, Builder)] | ||||
| /// HTTP message handler for requests from clients and responses from backend applications,
 | ||||
| /// responsible to manipulate and forward messages to upstream backends and downstream clients.
 | ||||
| pub struct HttpMessageHandler<T, U> | ||||
| // pub struct HttpMessageHandler<T, U>
 | ||||
| pub struct HttpMessageHandler<U> | ||||
| where | ||||
|   T: Connect + Clone + Sync + Send + 'static, | ||||
|   // T: Connect + Clone + Sync + Send + 'static,
 | ||||
|   U: CryptoSource + Clone, | ||||
| { | ||||
|   forwarder: Arc<Forwarder<T>>, | ||||
|   // forwarder: Arc<Forwarder<T>>,
 | ||||
|   globals: Arc<Globals<U>>, | ||||
| } | ||||
| 
 | ||||
| impl<T, U> HttpMessageHandler<T, U> | ||||
| impl<U> HttpMessageHandler<U> | ||||
| where | ||||
|   T: Connect + Clone + Sync + Send + 'static, | ||||
|   // T: Connect + Clone + Sync + Send + 'static,
 | ||||
|   U: CryptoSource + Clone, | ||||
| { | ||||
|   /// Return with an arbitrary status code of error and log message
 | ||||
|   fn return_with_error_log(&self, status_code: StatusCode, log_data: &mut MessageLog) -> Result<Response<Body>> { | ||||
|     log_data.status_code(&status_code).output(); | ||||
|     http_error(status_code) | ||||
|   } | ||||
|   // /// Return with an arbitrary status code of error and log message
 | ||||
|   // fn return_with_error_log(&self, status_code: StatusCode, log_data: &mut MessageLog) -> Result<Response<Body>> {
 | ||||
|   //   log_data.status_code(&status_code).output();
 | ||||
|   //   http_error(status_code)
 | ||||
|   // }
 | ||||
| 
 | ||||
|   /// Handle incoming request message from a client
 | ||||
|   pub async fn handle_request( | ||||
|     &self, | ||||
|     mut req: Request<Body>, | ||||
|     mut req: Request<Incoming>, | ||||
|     client_addr: SocketAddr, // アクセス制御用
 | ||||
|     listen_addr: SocketAddr, | ||||
|     tls_enabled: bool, | ||||
|     tls_server_name: Option<ServerNameBytesExp>, | ||||
|   ) -> Result<Response<Body>> { | ||||
|   ) -> Result<HttpResult<Response<Incoming>>> { | ||||
|     ////////
 | ||||
|     let mut log_data = MessageLog::from(&req); | ||||
|     log_data.client_addr(&client_addr); | ||||
|     //////
 | ||||
| 
 | ||||
|     // Here we start to handle with server_name
 | ||||
|     let server_name = if let Ok(v) = req.parse_host() { | ||||
|       ServerNameBytesExp::from(v) | ||||
|     } else { | ||||
|       return self.return_with_error_log(StatusCode::BAD_REQUEST, &mut log_data); | ||||
|     }; | ||||
|     // check consistency of between TLS SNI and HOST/Request URI Line.
 | ||||
|     #[allow(clippy::collapsible_if)] | ||||
|     if tls_enabled && self.globals.proxy_config.sni_consistency { | ||||
|       if server_name != tls_server_name.unwrap_or_default() { | ||||
|         return self.return_with_error_log(StatusCode::MISDIRECTED_REQUEST, &mut log_data); | ||||
|       } | ||||
|     } | ||||
|     // Find backend application for given server_name, and drop if incoming request is invalid as request.
 | ||||
|     let backend = match self.globals.backends.apps.get(&server_name) { | ||||
|       Some(be) => be, | ||||
|       None => { | ||||
|         let Some(default_server_name) = &self.globals.backends.default_server_name_bytes else { | ||||
|           return self.return_with_error_log(StatusCode::SERVICE_UNAVAILABLE, &mut log_data); | ||||
|         }; | ||||
|         debug!("Serving by default app"); | ||||
|         self.globals.backends.apps.get(default_server_name).unwrap() | ||||
|       } | ||||
|     }; | ||||
|     // // Here we start to handle with server_name
 | ||||
|     // let server_name = if let Ok(v) = req.parse_host() {
 | ||||
|     //   ServerNameBytesExp::from(v)
 | ||||
|     // } else {
 | ||||
|     //   return self.return_with_error_log(StatusCode::BAD_REQUEST, &mut log_data);
 | ||||
|     // };
 | ||||
|     // // check consistency of between TLS SNI and HOST/Request URI Line.
 | ||||
|     // #[allow(clippy::collapsible_if)]
 | ||||
|     // if tls_enabled && self.globals.proxy_config.sni_consistency {
 | ||||
|     //   if server_name != tls_server_name.unwrap_or_default() {
 | ||||
|     //     return self.return_with_error_log(StatusCode::MISDIRECTED_REQUEST, &mut log_data);
 | ||||
|     //   }
 | ||||
|     // }
 | ||||
|     // // Find backend application for given server_name, and drop if incoming request is invalid as request.
 | ||||
|     // let backend = match self.globals.backends.apps.get(&server_name) {
 | ||||
|     //   Some(be) => be,
 | ||||
|     //   None => {
 | ||||
|     //     let Some(default_server_name) = &self.globals.backends.default_server_name_bytes else {
 | ||||
|     //       return self.return_with_error_log(StatusCode::SERVICE_UNAVAILABLE, &mut log_data);
 | ||||
|     //     };
 | ||||
|     //     debug!("Serving by default app");
 | ||||
|     //     self.globals.backends.apps.get(default_server_name).unwrap()
 | ||||
|     //   }
 | ||||
|     // };
 | ||||
| 
 | ||||
|     // Redirect to https if !tls_enabled and redirect_to_https is true
 | ||||
|     if !tls_enabled && backend.https_redirection.unwrap_or(false) { | ||||
|       debug!("Redirect to secure connection: {}", &backend.server_name); | ||||
|       log_data.status_code(&StatusCode::PERMANENT_REDIRECT).output(); | ||||
|       return secure_redirection(&backend.server_name, self.globals.proxy_config.https_port, &req); | ||||
|     } | ||||
|     // // Redirect to https if !tls_enabled and redirect_to_https is true
 | ||||
|     // if !tls_enabled && backend.https_redirection.unwrap_or(false) {
 | ||||
|     //   debug!("Redirect to secure connection: {}", &backend.server_name);
 | ||||
|     //   log_data.status_code(&StatusCode::PERMANENT_REDIRECT).output();
 | ||||
|     //   return secure_redirection(&backend.server_name, self.globals.proxy_config.https_port, &req);
 | ||||
|     // }
 | ||||
| 
 | ||||
|     // Find reverse proxy for given path and choose one of upstream host
 | ||||
|     // Longest prefix match
 | ||||
|     let path = req.uri().path(); | ||||
|     let Some(upstream_group) = backend.reverse_proxy.get(path) else { | ||||
|       return self.return_with_error_log(StatusCode::NOT_FOUND, &mut log_data) | ||||
|     }; | ||||
|     // // Find reverse proxy for given path and choose one of upstream host
 | ||||
|     // // Longest prefix match
 | ||||
|     // let path = req.uri().path();
 | ||||
|     // let Some(upstream_group) = backend.reverse_proxy.get(path) else {
 | ||||
|     //   return self.return_with_error_log(StatusCode::NOT_FOUND, &mut log_data);
 | ||||
|     // };
 | ||||
| 
 | ||||
|     // Upgrade in request header
 | ||||
|     let upgrade_in_request = extract_upgrade(req.headers()); | ||||
|     let request_upgraded = req.extensions_mut().remove::<hyper::upgrade::OnUpgrade>(); | ||||
|     // // Upgrade in request header
 | ||||
|     // let upgrade_in_request = extract_upgrade(req.headers());
 | ||||
|     // let request_upgraded = req.extensions_mut().remove::<hyper::upgrade::OnUpgrade>();
 | ||||
| 
 | ||||
|     // Build request from destination information
 | ||||
|     let _context = match self.generate_request_forwarded( | ||||
|       &client_addr, | ||||
|       &listen_addr, | ||||
|       &mut req, | ||||
|       &upgrade_in_request, | ||||
|       upstream_group, | ||||
|       tls_enabled, | ||||
|     ) { | ||||
|       Err(e) => { | ||||
|         error!("Failed to generate destination uri for reverse proxy: {}", e); | ||||
|         return self.return_with_error_log(StatusCode::SERVICE_UNAVAILABLE, &mut log_data); | ||||
|       } | ||||
|       Ok(v) => v, | ||||
|     }; | ||||
|     debug!("Request to be forwarded: {:?}", req); | ||||
|     log_data.xff(&req.headers().get("x-forwarded-for")); | ||||
|     log_data.upstream(req.uri()); | ||||
|     //////
 | ||||
|     // // Build request from destination information
 | ||||
|     // let _context = match self.generate_request_forwarded(
 | ||||
|     //   &client_addr,
 | ||||
|     //   &listen_addr,
 | ||||
|     //   &mut req,
 | ||||
|     //   &upgrade_in_request,
 | ||||
|     //   upstream_group,
 | ||||
|     //   tls_enabled,
 | ||||
|     // ) {
 | ||||
|     //   Err(e) => {
 | ||||
|     //     error!("Failed to generate destination uri for reverse proxy: {}", e);
 | ||||
|     //     return self.return_with_error_log(StatusCode::SERVICE_UNAVAILABLE, &mut log_data);
 | ||||
|     //   }
 | ||||
|     //   Ok(v) => v,
 | ||||
|     // };
 | ||||
|     // debug!("Request to be forwarded: {:?}", req);
 | ||||
|     // log_data.xff(&req.headers().get("x-forwarded-for"));
 | ||||
|     // log_data.upstream(req.uri());
 | ||||
|     // //////
 | ||||
| 
 | ||||
|     // Forward request to a chosen backend
 | ||||
|     let mut res_backend = { | ||||
|       let Ok(result) = timeout(self.globals.proxy_config.upstream_timeout, self.forwarder.request(req)).await else { | ||||
|         return self.return_with_error_log(StatusCode::GATEWAY_TIMEOUT, &mut log_data); | ||||
|       }; | ||||
|       match result { | ||||
|         Ok(res) => res, | ||||
|         Err(e) => { | ||||
|           error!("Failed to get response from backend: {}", e); | ||||
|           return self.return_with_error_log(StatusCode::SERVICE_UNAVAILABLE, &mut log_data); | ||||
|         } | ||||
|       } | ||||
|     }; | ||||
|     // // Forward request to a chosen backend
 | ||||
|     // let mut res_backend = {
 | ||||
|     //   let Ok(result) = timeout(self.globals.proxy_config.upstream_timeout, self.forwarder.request(req)).await else {
 | ||||
|     //     return self.return_with_error_log(StatusCode::GATEWAY_TIMEOUT, &mut log_data);
 | ||||
|     //   };
 | ||||
|     //   match result {
 | ||||
|     //     Ok(res) => res,
 | ||||
|     //     Err(e) => {
 | ||||
|     //       error!("Failed to get response from backend: {}", e);
 | ||||
|     //       return self.return_with_error_log(StatusCode::SERVICE_UNAVAILABLE, &mut log_data);
 | ||||
|     //     }
 | ||||
|     //   }
 | ||||
|     // };
 | ||||
| 
 | ||||
|     // Process reverse proxy context generated during the forwarding request generation.
 | ||||
|     #[cfg(feature = "sticky-cookie")] | ||||
|     if let Some(context_from_lb) = _context.context_lb { | ||||
|       let res_headers = res_backend.headers_mut(); | ||||
|       if let Err(e) = set_sticky_cookie_lb_context(res_headers, &context_from_lb) { | ||||
|         error!("Failed to append context to the response given from backend: {}", e); | ||||
|         return self.return_with_error_log(StatusCode::BAD_GATEWAY, &mut log_data); | ||||
|       } | ||||
|     } | ||||
|     // // Process reverse proxy context generated during the forwarding request generation.
 | ||||
|     // #[cfg(feature = "sticky-cookie")]
 | ||||
|     // if let Some(context_from_lb) = _context.context_lb {
 | ||||
|     //   let res_headers = res_backend.headers_mut();
 | ||||
|     //   if let Err(e) = set_sticky_cookie_lb_context(res_headers, &context_from_lb) {
 | ||||
|     //     error!("Failed to append context to the response given from backend: {}", e);
 | ||||
|     //     return self.return_with_error_log(StatusCode::BAD_GATEWAY, &mut log_data);
 | ||||
|     //   }
 | ||||
|     // }
 | ||||
| 
 | ||||
|     if res_backend.status() != StatusCode::SWITCHING_PROTOCOLS { | ||||
|       // Generate response to client
 | ||||
|       if self.generate_response_forwarded(&mut res_backend, backend).is_err() { | ||||
|         return self.return_with_error_log(StatusCode::INTERNAL_SERVER_ERROR, &mut log_data); | ||||
|       } | ||||
|       log_data.status_code(&res_backend.status()).output(); | ||||
|       return Ok(res_backend); | ||||
|     } | ||||
|     // if res_backend.status() != StatusCode::SWITCHING_PROTOCOLS {
 | ||||
|     //   // Generate response to client
 | ||||
|     //   if self.generate_response_forwarded(&mut res_backend, backend).is_err() {
 | ||||
|     //     return self.return_with_error_log(StatusCode::INTERNAL_SERVER_ERROR, &mut log_data);
 | ||||
|     //   }
 | ||||
|     //   log_data.status_code(&res_backend.status()).output();
 | ||||
|     //   return Ok(res_backend);
 | ||||
|     // }
 | ||||
| 
 | ||||
|     // Handle StatusCode::SWITCHING_PROTOCOLS in response
 | ||||
|     let upgrade_in_response = extract_upgrade(res_backend.headers()); | ||||
|     let should_upgrade = if let (Some(u_req), Some(u_res)) = (upgrade_in_request.as_ref(), upgrade_in_response.as_ref()) | ||||
|     { | ||||
|       u_req.to_ascii_lowercase() == u_res.to_ascii_lowercase() | ||||
|     } else { | ||||
|       false | ||||
|     }; | ||||
|     if !should_upgrade { | ||||
|       error!( | ||||
|         "Backend tried to switch to protocol {:?} when {:?} was requested", | ||||
|         upgrade_in_response, upgrade_in_request | ||||
|       ); | ||||
|       return self.return_with_error_log(StatusCode::INTERNAL_SERVER_ERROR, &mut log_data); | ||||
|     } | ||||
|     let Some(request_upgraded) = request_upgraded else { | ||||
|       error!("Request does not have an upgrade extension"); | ||||
|       return self.return_with_error_log(StatusCode::BAD_REQUEST, &mut log_data); | ||||
|     }; | ||||
|     let Some(onupgrade) = res_backend.extensions_mut().remove::<hyper::upgrade::OnUpgrade>() else { | ||||
|       error!("Response does not have an upgrade extension"); | ||||
|       return self.return_with_error_log(StatusCode::INTERNAL_SERVER_ERROR, &mut log_data); | ||||
|     }; | ||||
|     // // Handle StatusCode::SWITCHING_PROTOCOLS in response
 | ||||
|     // let upgrade_in_response = extract_upgrade(res_backend.headers());
 | ||||
|     // let should_upgrade = if let (Some(u_req), Some(u_res)) = (upgrade_in_request.as_ref(), upgrade_in_response.as_ref())
 | ||||
|     // {
 | ||||
|     //   u_req.to_ascii_lowercase() == u_res.to_ascii_lowercase()
 | ||||
|     // } else {
 | ||||
|     //   false
 | ||||
|     // };
 | ||||
|     // if !should_upgrade {
 | ||||
|     //   error!(
 | ||||
|     //     "Backend tried to switch to protocol {:?} when {:?} was requested",
 | ||||
|     //     upgrade_in_response, upgrade_in_request
 | ||||
|     //   );
 | ||||
|     //   return self.return_with_error_log(StatusCode::INTERNAL_SERVER_ERROR, &mut log_data);
 | ||||
|     // }
 | ||||
|     // let Some(request_upgraded) = request_upgraded else {
 | ||||
|     //   error!("Request does not have an upgrade extension");
 | ||||
|     //   return self.return_with_error_log(StatusCode::BAD_REQUEST, &mut log_data);
 | ||||
|     // };
 | ||||
|     // let Some(onupgrade) = res_backend.extensions_mut().remove::<hyper::upgrade::OnUpgrade>() else {
 | ||||
|     //   error!("Response does not have an upgrade extension");
 | ||||
|     //   return self.return_with_error_log(StatusCode::INTERNAL_SERVER_ERROR, &mut log_data);
 | ||||
|     // };
 | ||||
| 
 | ||||
|     self.globals.runtime_handle.spawn(async move { | ||||
|       let mut response_upgraded = onupgrade.await.map_err(|e| { | ||||
|         error!("Failed to upgrade response: {}", e); | ||||
|         RpxyError::Hyper(e) | ||||
|       })?; | ||||
|       let mut request_upgraded = request_upgraded.await.map_err(|e| { | ||||
|         error!("Failed to upgrade request: {}", e); | ||||
|         RpxyError::Hyper(e) | ||||
|       })?; | ||||
|       copy_bidirectional(&mut response_upgraded, &mut request_upgraded) | ||||
|         .await | ||||
|         .map_err(|e| { | ||||
|           error!("Coping between upgraded connections failed: {}", e); | ||||
|           RpxyError::Io(e) | ||||
|         })?; | ||||
|       Ok(()) as Result<()> | ||||
|     }); | ||||
|     log_data.status_code(&res_backend.status()).output(); | ||||
|     Ok(res_backend) | ||||
|     // self.globals.runtime_handle.spawn(async move {
 | ||||
|     //   let mut response_upgraded = onupgrade.await.map_err(|e| {
 | ||||
|     //     error!("Failed to upgrade response: {}", e);
 | ||||
|     //     RpxyError::Hyper(e)
 | ||||
|     //   })?;
 | ||||
|     //   let mut request_upgraded = request_upgraded.await.map_err(|e| {
 | ||||
|     //     error!("Failed to upgrade request: {}", e);
 | ||||
|     //     RpxyError::Hyper(e)
 | ||||
|     //   })?;
 | ||||
|     //   copy_bidirectional(&mut response_upgraded, &mut request_upgraded)
 | ||||
|     //     .await
 | ||||
|     //     .map_err(|e| {
 | ||||
|     //       error!("Coping between upgraded connections failed: {}", e);
 | ||||
|     //       RpxyError::Io(e)
 | ||||
|     //     })?;
 | ||||
|     //   Ok(()) as Result<()>
 | ||||
|     // });
 | ||||
|     // log_data.status_code(&res_backend.status()).output();
 | ||||
|     // Ok(res_backend)
 | ||||
|     todo!() | ||||
|   } | ||||
| 
 | ||||
|   ////////////////////////////////////////////////////
 | ||||
|   // Functions to generate messages
 | ||||
|   ////////////////////////////////////////////////////
 | ||||
| 
 | ||||
|   /// Manipulate a response message sent from a backend application to forward downstream to a client.
 | ||||
|   fn generate_response_forwarded<B>(&self, response: &mut Response<B>, chosen_backend: &Backend<U>) -> Result<()> | ||||
|   where | ||||
|     B: core::fmt::Debug, | ||||
|   { | ||||
|     let headers = response.headers_mut(); | ||||
|     remove_connection_header(headers); | ||||
|     remove_hop_header(headers); | ||||
|     add_header_entry_overwrite_if_exist(headers, "server", RESPONSE_HEADER_SERVER)?; | ||||
|   // /// Manipulate a response message sent from a backend application to forward downstream to a client.
 | ||||
|   // fn generate_response_forwarded<B>(&self, response: &mut Response<B>, chosen_backend: &Backend<U>) -> Result<()>
 | ||||
|   // where
 | ||||
|   //   B: core::fmt::Debug,
 | ||||
|   // {
 | ||||
|   //   let headers = response.headers_mut();
 | ||||
|   //   remove_connection_header(headers);
 | ||||
|   //   remove_hop_header(headers);
 | ||||
|   //   add_header_entry_overwrite_if_exist(headers, "server", RESPONSE_HEADER_SERVER)?;
 | ||||
| 
 | ||||
|     #[cfg(any(feature = "http3-quinn", feature = "http3-s2n"))] | ||||
|     { | ||||
|       // Manipulate ALT_SVC allowing h3 in response message only when mutual TLS is not enabled
 | ||||
|       // TODO: This is a workaround for avoiding a client authentication in HTTP/3
 | ||||
|       if self.globals.proxy_config.http3 | ||||
|         && chosen_backend | ||||
|           .crypto_source | ||||
|           .as_ref() | ||||
|           .is_some_and(|v| !v.is_mutual_tls()) | ||||
|       { | ||||
|         if let Some(port) = self.globals.proxy_config.https_port { | ||||
|           add_header_entry_overwrite_if_exist( | ||||
|             headers, | ||||
|             header::ALT_SVC.as_str(), | ||||
|             format!( | ||||
|               "h3=\":{}\"; ma={}, h3-29=\":{}\"; ma={}", | ||||
|               port, self.globals.proxy_config.h3_alt_svc_max_age, port, self.globals.proxy_config.h3_alt_svc_max_age | ||||
|             ), | ||||
|           )?; | ||||
|         } | ||||
|       } else { | ||||
|         // remove alt-svc to disallow requests via http3
 | ||||
|         headers.remove(header::ALT_SVC.as_str()); | ||||
|       } | ||||
|     } | ||||
|     #[cfg(not(any(feature = "http3-quinn", feature = "http3-s2n")))] | ||||
|     { | ||||
|       if let Some(port) = self.globals.proxy_config.https_port { | ||||
|         headers.remove(header::ALT_SVC.as_str()); | ||||
|       } | ||||
|     } | ||||
|   //   #[cfg(any(feature = "http3-quinn", feature = "http3-s2n"))]
 | ||||
|   //   {
 | ||||
|   //     // Manipulate ALT_SVC allowing h3 in response message only when mutual TLS is not enabled
 | ||||
|   //     // TODO: This is a workaround for avoiding a client authentication in HTTP/3
 | ||||
|   //     if self.globals.proxy_config.http3
 | ||||
|   //       && chosen_backend
 | ||||
|   //         .crypto_source
 | ||||
|   //         .as_ref()
 | ||||
|   //         .is_some_and(|v| !v.is_mutual_tls())
 | ||||
|   //     {
 | ||||
|   //       if let Some(port) = self.globals.proxy_config.https_port {
 | ||||
|   //         add_header_entry_overwrite_if_exist(
 | ||||
|   //           headers,
 | ||||
|   //           header::ALT_SVC.as_str(),
 | ||||
|   //           format!(
 | ||||
|   //             "h3=\":{}\"; ma={}, h3-29=\":{}\"; ma={}",
 | ||||
|   //             port, self.globals.proxy_config.h3_alt_svc_max_age, port, self.globals.proxy_config.h3_alt_svc_max_age
 | ||||
|   //           ),
 | ||||
|   //         )?;
 | ||||
|   //       }
 | ||||
|   //     } else {
 | ||||
|   //       // remove alt-svc to disallow requests via http3
 | ||||
|   //       headers.remove(header::ALT_SVC.as_str());
 | ||||
|   //     }
 | ||||
|   //   }
 | ||||
|   //   #[cfg(not(any(feature = "http3-quinn", feature = "http3-s2n")))]
 | ||||
|   //   {
 | ||||
|   //     if let Some(port) = self.globals.proxy_config.https_port {
 | ||||
|   //       headers.remove(header::ALT_SVC.as_str());
 | ||||
|   //     }
 | ||||
|   //   }
 | ||||
| 
 | ||||
|     Ok(()) | ||||
|   } | ||||
|   //   Ok(())
 | ||||
|   // }
 | ||||
| 
 | ||||
|   #[allow(clippy::too_many_arguments)] | ||||
|   /// Manipulate a request message sent from a client to forward upstream to a backend application
 | ||||
|   fn generate_request_forwarded<B>( | ||||
|     &self, | ||||
|     client_addr: &SocketAddr, | ||||
|     listen_addr: &SocketAddr, | ||||
|     req: &mut Request<B>, | ||||
|     upgrade: &Option<String>, | ||||
|     upstream_group: &UpstreamGroup, | ||||
|     tls_enabled: bool, | ||||
|   ) -> Result<HandlerContext> { | ||||
|     debug!("Generate request to be forwarded"); | ||||
|   // #[allow(clippy::too_many_arguments)]
 | ||||
|   // /// Manipulate a request message sent from a client to forward upstream to a backend application
 | ||||
|   // fn generate_request_forwarded<B>(
 | ||||
|   //   &self,
 | ||||
|   //   client_addr: &SocketAddr,
 | ||||
|   //   listen_addr: &SocketAddr,
 | ||||
|   //   req: &mut Request<B>,
 | ||||
|   //   upgrade: &Option<String>,
 | ||||
|   //   upstream_group: &UpstreamGroup,
 | ||||
|   //   tls_enabled: bool,
 | ||||
|   // ) -> Result<HandlerContext> {
 | ||||
|   //   debug!("Generate request to be forwarded");
 | ||||
| 
 | ||||
|     // Add te: trailer if contained in original request
 | ||||
|     let contains_te_trailers = { | ||||
|       if let Some(te) = req.headers().get(header::TE) { | ||||
|         te.as_bytes() | ||||
|           .split(|v| v == &b',' || v == &b' ') | ||||
|           .any(|x| x == "trailers".as_bytes()) | ||||
|       } else { | ||||
|         false | ||||
|       } | ||||
|     }; | ||||
|   //   // Add te: trailer if contained in original request
 | ||||
|   //   let contains_te_trailers = {
 | ||||
|   //     if let Some(te) = req.headers().get(header::TE) {
 | ||||
|   //       te.as_bytes()
 | ||||
|   //         .split(|v| v == &b',' || v == &b' ')
 | ||||
|   //         .any(|x| x == "trailers".as_bytes())
 | ||||
|   //     } else {
 | ||||
|   //       false
 | ||||
|   //     }
 | ||||
|   //   };
 | ||||
| 
 | ||||
|     let uri = req.uri().to_string(); | ||||
|     let headers = req.headers_mut(); | ||||
|     // delete headers specified in header.connection
 | ||||
|     remove_connection_header(headers); | ||||
|     // delete hop headers including header.connection
 | ||||
|     remove_hop_header(headers); | ||||
|     // X-Forwarded-For
 | ||||
|     add_forwarding_header(headers, client_addr, listen_addr, tls_enabled, &uri)?; | ||||
|   //   let uri = req.uri().to_string();
 | ||||
|   //   let headers = req.headers_mut();
 | ||||
|   //   // delete headers specified in header.connection
 | ||||
|   //   remove_connection_header(headers);
 | ||||
|   //   // delete hop headers including header.connection
 | ||||
|   //   remove_hop_header(headers);
 | ||||
|   //   // X-Forwarded-For
 | ||||
|   //   add_forwarding_header(headers, client_addr, listen_addr, tls_enabled, &uri)?;
 | ||||
| 
 | ||||
|     // Add te: trailer if te_trailer
 | ||||
|     if contains_te_trailers { | ||||
|       headers.insert(header::TE, HeaderValue::from_bytes("trailers".as_bytes()).unwrap()); | ||||
|     } | ||||
|   //   // Add te: trailer if te_trailer
 | ||||
|   //   if contains_te_trailers {
 | ||||
|   //     headers.insert(header::TE, HeaderValue::from_bytes("trailers".as_bytes()).unwrap());
 | ||||
|   //   }
 | ||||
| 
 | ||||
|     // add "host" header of original server_name if not exist (default)
 | ||||
|     if req.headers().get(header::HOST).is_none() { | ||||
|       let org_host = req.uri().host().ok_or_else(|| anyhow!("Invalid request"))?.to_owned(); | ||||
|       req | ||||
|         .headers_mut() | ||||
|         .insert(header::HOST, HeaderValue::from_str(&org_host)?); | ||||
|     }; | ||||
|   //   // add "host" header of original server_name if not exist (default)
 | ||||
|   //   if req.headers().get(header::HOST).is_none() {
 | ||||
|   //     let org_host = req.uri().host().ok_or_else(|| anyhow!("Invalid request"))?.to_owned();
 | ||||
|   //     req
 | ||||
|   //       .headers_mut()
 | ||||
|   //       .insert(header::HOST, HeaderValue::from_str(&org_host)?);
 | ||||
|   //   };
 | ||||
| 
 | ||||
|     /////////////////////////////////////////////
 | ||||
|     // Fix unique upstream destination since there could be multiple ones.
 | ||||
|     #[cfg(feature = "sticky-cookie")] | ||||
|     let (upstream_chosen_opt, context_from_lb) = { | ||||
|       let context_to_lb = if let crate::backend::LoadBalance::StickyRoundRobin(lb) = &upstream_group.lb { | ||||
|         takeout_sticky_cookie_lb_context(req.headers_mut(), &lb.sticky_config.name)? | ||||
|       } else { | ||||
|         None | ||||
|       }; | ||||
|       upstream_group.get(&context_to_lb) | ||||
|     }; | ||||
|     #[cfg(not(feature = "sticky-cookie"))] | ||||
|     let (upstream_chosen_opt, _) = upstream_group.get(&None); | ||||
|   //   /////////////////////////////////////////////
 | ||||
|   //   // Fix unique upstream destination since there could be multiple ones.
 | ||||
|   //   #[cfg(feature = "sticky-cookie")]
 | ||||
|   //   let (upstream_chosen_opt, context_from_lb) = {
 | ||||
|   //     let context_to_lb = if let crate::backend::LoadBalance::StickyRoundRobin(lb) = &upstream_group.lb {
 | ||||
|   //       takeout_sticky_cookie_lb_context(req.headers_mut(), &lb.sticky_config.name)?
 | ||||
|   //     } else {
 | ||||
|   //       None
 | ||||
|   //     };
 | ||||
|   //     upstream_group.get(&context_to_lb)
 | ||||
|   //   };
 | ||||
|   //   #[cfg(not(feature = "sticky-cookie"))]
 | ||||
|   //   let (upstream_chosen_opt, _) = upstream_group.get(&None);
 | ||||
| 
 | ||||
|     let upstream_chosen = upstream_chosen_opt.ok_or_else(|| anyhow!("Failed to get upstream"))?; | ||||
|     let context = HandlerContext { | ||||
|       #[cfg(feature = "sticky-cookie")] | ||||
|       context_lb: context_from_lb, | ||||
|       #[cfg(not(feature = "sticky-cookie"))] | ||||
|       context_lb: None, | ||||
|     }; | ||||
|     /////////////////////////////////////////////
 | ||||
|   //   let upstream_chosen = upstream_chosen_opt.ok_or_else(|| anyhow!("Failed to get upstream"))?;
 | ||||
|   //   let context = HandlerContext {
 | ||||
|   //     #[cfg(feature = "sticky-cookie")]
 | ||||
|   //     context_lb: context_from_lb,
 | ||||
|   //     #[cfg(not(feature = "sticky-cookie"))]
 | ||||
|   //     context_lb: None,
 | ||||
|   //   };
 | ||||
|   //   /////////////////////////////////////////////
 | ||||
| 
 | ||||
|     // apply upstream-specific headers given in upstream_option
 | ||||
|     let headers = req.headers_mut(); | ||||
|     apply_upstream_options_to_header(headers, client_addr, upstream_group, &upstream_chosen.uri)?; | ||||
|   //   // apply upstream-specific headers given in upstream_option
 | ||||
|   //   let headers = req.headers_mut();
 | ||||
|   //   apply_upstream_options_to_header(headers, client_addr, upstream_group, &upstream_chosen.uri)?;
 | ||||
| 
 | ||||
|     // update uri in request
 | ||||
|     if !(upstream_chosen.uri.authority().is_some() && upstream_chosen.uri.scheme().is_some()) { | ||||
|       return Err(RpxyError::Handler("Upstream uri `scheme` and `authority` is broken")); | ||||
|     }; | ||||
|     let new_uri = Uri::builder() | ||||
|       .scheme(upstream_chosen.uri.scheme().unwrap().as_str()) | ||||
|       .authority(upstream_chosen.uri.authority().unwrap().as_str()); | ||||
|     let org_pq = match req.uri().path_and_query() { | ||||
|       Some(pq) => pq.to_string(), | ||||
|       None => "/".to_string(), | ||||
|     } | ||||
|     .into_bytes(); | ||||
|   //   // update uri in request
 | ||||
|   //   if !(upstream_chosen.uri.authority().is_some() && upstream_chosen.uri.scheme().is_some()) {
 | ||||
|   //     return Err(RpxyError::Handler("Upstream uri `scheme` and `authority` is broken"));
 | ||||
|   //   };
 | ||||
|   //   let new_uri = Uri::builder()
 | ||||
|   //     .scheme(upstream_chosen.uri.scheme().unwrap().as_str())
 | ||||
|   //     .authority(upstream_chosen.uri.authority().unwrap().as_str());
 | ||||
|   //   let org_pq = match req.uri().path_and_query() {
 | ||||
|   //     Some(pq) => pq.to_string(),
 | ||||
|   //     None => "/".to_string(),
 | ||||
|   //   }
 | ||||
|   //   .into_bytes();
 | ||||
| 
 | ||||
|     // replace some parts of path if opt_replace_path is enabled for chosen upstream
 | ||||
|     let new_pq = match &upstream_group.replace_path { | ||||
|       Some(new_path) => { | ||||
|         let matched_path: &[u8] = upstream_group.path.as_ref(); | ||||
|         if matched_path.is_empty() || org_pq.len() < matched_path.len() { | ||||
|           return Err(RpxyError::Handler("Upstream uri `path and query` is broken")); | ||||
|         }; | ||||
|         let mut new_pq = Vec::<u8>::with_capacity(org_pq.len() - matched_path.len() + new_path.len()); | ||||
|         new_pq.extend_from_slice(new_path.as_ref()); | ||||
|         new_pq.extend_from_slice(&org_pq[matched_path.len()..]); | ||||
|         new_pq | ||||
|       } | ||||
|       None => org_pq, | ||||
|     }; | ||||
|     *req.uri_mut() = new_uri.path_and_query(new_pq).build()?; | ||||
|   //   // replace some parts of path if opt_replace_path is enabled for chosen upstream
 | ||||
|   //   let new_pq = match &upstream_group.replace_path {
 | ||||
|   //     Some(new_path) => {
 | ||||
|   //       let matched_path: &[u8] = upstream_group.path.as_ref();
 | ||||
|   //       if matched_path.is_empty() || org_pq.len() < matched_path.len() {
 | ||||
|   //         return Err(RpxyError::Handler("Upstream uri `path and query` is broken"));
 | ||||
|   //       };
 | ||||
|   //       let mut new_pq = Vec::<u8>::with_capacity(org_pq.len() - matched_path.len() + new_path.len());
 | ||||
|   //       new_pq.extend_from_slice(new_path.as_ref());
 | ||||
|   //       new_pq.extend_from_slice(&org_pq[matched_path.len()..]);
 | ||||
|   //       new_pq
 | ||||
|   //     }
 | ||||
|   //     None => org_pq,
 | ||||
|   //   };
 | ||||
|   //   *req.uri_mut() = new_uri.path_and_query(new_pq).build()?;
 | ||||
| 
 | ||||
|     // upgrade
 | ||||
|     if let Some(v) = upgrade { | ||||
|       req.headers_mut().insert(header::UPGRADE, v.parse()?); | ||||
|       req | ||||
|         .headers_mut() | ||||
|         .insert(header::CONNECTION, HeaderValue::from_str("upgrade")?); | ||||
|     } | ||||
|   //   // upgrade
 | ||||
|   //   if let Some(v) = upgrade {
 | ||||
|   //     req.headers_mut().insert(header::UPGRADE, v.parse()?);
 | ||||
|   //     req
 | ||||
|   //       .headers_mut()
 | ||||
|   //       .insert(header::CONNECTION, HeaderValue::from_str("upgrade")?);
 | ||||
|   //   }
 | ||||
| 
 | ||||
|     // If not specified (force_httpXX_upstream) and https, version is preserved except for http/3
 | ||||
|     if upstream_chosen.uri.scheme() == Some(&Scheme::HTTP) { | ||||
|       // Change version to http/1.1 when destination scheme is http
 | ||||
|       debug!("Change version to http/1.1 when destination scheme is http unless upstream option enabled."); | ||||
|       *req.version_mut() = Version::HTTP_11; | ||||
|     } else if req.version() == Version::HTTP_3 { | ||||
|       // HTTP/3 is always https
 | ||||
|       debug!("HTTP/3 is currently unsupported for request to upstream."); | ||||
|       *req.version_mut() = Version::HTTP_2; | ||||
|     } | ||||
|   //   // If not specified (force_httpXX_upstream) and https, version is preserved except for http/3
 | ||||
|   //   if upstream_chosen.uri.scheme() == Some(&Scheme::HTTP) {
 | ||||
|   //     // Change version to http/1.1 when destination scheme is http
 | ||||
|   //     debug!("Change version to http/1.1 when destination scheme is http unless upstream option enabled.");
 | ||||
|   //     *req.version_mut() = Version::HTTP_11;
 | ||||
|   //   } else if req.version() == Version::HTTP_3 {
 | ||||
|   //     // HTTP/3 is always https
 | ||||
|   //     debug!("HTTP/3 is currently unsupported for request to upstream.");
 | ||||
|   //     *req.version_mut() = Version::HTTP_2;
 | ||||
|   //   }
 | ||||
| 
 | ||||
|     apply_upstream_options_to_request_line(req, upstream_group)?; | ||||
|   //   apply_upstream_options_to_request_line(req, upstream_group)?;
 | ||||
| 
 | ||||
|     Ok(context) | ||||
|   } | ||||
|   //   Ok(context)
 | ||||
|   // }
 | ||||
| } | ||||
|  |  | |||
|  | @ -1,17 +1,15 @@ | |||
| #[cfg(feature = "cache")] | ||||
| mod cache; | ||||
| mod forwarder; | ||||
| // mod cache;
 | ||||
| mod error; | ||||
| // mod forwarder;
 | ||||
| mod handler_main; | ||||
| mod utils_headers; | ||||
| mod utils_request; | ||||
| mod utils_synth_response; | ||||
| // mod utils_synth_response;
 | ||||
| 
 | ||||
| #[cfg(feature = "sticky-cookie")] | ||||
| use crate::backend::LbContext; | ||||
| pub use { | ||||
|   forwarder::Forwarder, | ||||
|   handler_main::{HttpMessageHandler, HttpMessageHandlerBuilder, HttpMessageHandlerBuilderError}, | ||||
| }; | ||||
| pub use handler_main::{HttpMessageHandler, HttpMessageHandlerBuilder, HttpMessageHandlerBuilderError}; | ||||
| 
 | ||||
| #[allow(dead_code)] | ||||
| #[derive(Debug)] | ||||
|  |  | |||
							
								
								
									
										45
									
								
								rpxy-lib/src/hyper_executor.rs
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										45
									
								
								rpxy-lib/src/hyper_executor.rs
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,45 @@ | |||
| use std::sync::Arc; | ||||
| 
 | ||||
| use hyper_util::server::{self, conn::auto::Builder as ConnectionBuilder}; | ||||
| use tokio::runtime::Handle; | ||||
| 
 | ||||
| use crate::{globals::Globals, CryptoSource}; | ||||
| 
 | ||||
| #[derive(Clone)] | ||||
| /// Executor for hyper
 | ||||
| pub struct LocalExecutor { | ||||
|   runtime_handle: Handle, | ||||
| } | ||||
| 
 | ||||
| impl LocalExecutor { | ||||
|   pub fn new(runtime_handle: Handle) -> Self { | ||||
|     LocalExecutor { runtime_handle } | ||||
|   } | ||||
| } | ||||
| 
 | ||||
| impl<F> hyper::rt::Executor<F> for LocalExecutor | ||||
| where | ||||
|   F: std::future::Future + Send + 'static, | ||||
|   F::Output: Send, | ||||
| { | ||||
|   fn execute(&self, fut: F) { | ||||
|     self.runtime_handle.spawn(fut); | ||||
|   } | ||||
| } | ||||
| 
 | ||||
| /// build connection builder shared with proxy instances
 | ||||
| pub(crate) fn build_http_server<T>(globals: &Arc<Globals<T>>) -> ConnectionBuilder<LocalExecutor> | ||||
| where | ||||
|   T: CryptoSource, | ||||
| { | ||||
|   let executor = LocalExecutor::new(globals.runtime_handle.clone()); | ||||
|   let mut http_server = server::conn::auto::Builder::new(executor); | ||||
|   http_server | ||||
|     .http1() | ||||
|     .keep_alive(globals.proxy_config.keepalive) | ||||
|     .pipeline_flush(true); | ||||
|   http_server | ||||
|     .http2() | ||||
|     .max_concurrent_streams(globals.proxy_config.max_concurrent_streams); | ||||
|   http_server | ||||
| } | ||||
|  | @ -4,20 +4,16 @@ mod constants; | |||
| mod error; | ||||
| mod globals; | ||||
| mod handler; | ||||
| mod hyper_executor; | ||||
| mod log; | ||||
| mod proxy; | ||||
| mod utils; | ||||
| 
 | ||||
| use crate::{ | ||||
|   error::*, | ||||
|   globals::Globals, | ||||
|   handler::{Forwarder, HttpMessageHandlerBuilder}, | ||||
|   log::*, | ||||
|   proxy::ProxyBuilder, | ||||
| }; | ||||
| use crate::{error::*, globals::Globals, handler::HttpMessageHandlerBuilder, log::*, proxy::ProxyBuilder}; | ||||
| use futures::future::select_all; | ||||
| use hyper_executor::build_http_server; | ||||
| // use hyper_trust_dns::TrustDnsResolver;
 | ||||
| use std::sync::Arc; | ||||
| use std::{sync::Arc, time::Duration}; | ||||
| 
 | ||||
| pub use crate::{ | ||||
|   certs::{CertsAndKeys, CryptoSource}, | ||||
|  | @ -76,16 +72,19 @@ where | |||
|     backends: app_config_list.clone().try_into()?, | ||||
|     request_count: Default::default(), | ||||
|     runtime_handle: runtime_handle.clone(), | ||||
|     term_notify: term_notify.clone(), | ||||
|   }); | ||||
| 
 | ||||
|   // build message handler including a request forwarder
 | ||||
|   let msg_handler = Arc::new( | ||||
|     HttpMessageHandlerBuilder::default() | ||||
|       .forwarder(Arc::new(Forwarder::new(&globals).await)) | ||||
|       // .forwarder(Arc::new(Forwarder::new(&globals).await))
 | ||||
|       .globals(globals.clone()) | ||||
|       .build()?, | ||||
|   ); | ||||
| 
 | ||||
|   let http_server = Arc::new(build_http_server(&globals)); | ||||
| 
 | ||||
|   let addresses = globals.proxy_config.listen_sockets.clone(); | ||||
|   let futures = select_all(addresses.into_iter().map(|addr| { | ||||
|     let mut tls_enabled = false; | ||||
|  | @ -97,16 +96,17 @@ where | |||
|       .globals(globals.clone()) | ||||
|       .listening_on(addr) | ||||
|       .tls_enabled(tls_enabled) | ||||
|       .http_server(http_server.clone()) | ||||
|       .msg_handler(msg_handler.clone()) | ||||
|       .build() | ||||
|       .unwrap(); | ||||
| 
 | ||||
|     globals.runtime_handle.spawn(proxy.start(term_notify.clone())) | ||||
|     globals.runtime_handle.spawn(async move { proxy.start().await }) | ||||
|   })); | ||||
| 
 | ||||
|   // wait for all future
 | ||||
|   if let (Ok(Err(e)), _, _) = futures.await { | ||||
|     error!("Some proxy services are down: {:?}", e); | ||||
|     error!("Some proxy services are down: {}", e); | ||||
|   }; | ||||
| 
 | ||||
|   Ok(()) | ||||
|  |  | |||
|  | @ -10,4 +10,33 @@ mod proxy_quic_s2n; | |||
| mod proxy_tls; | ||||
| mod socket; | ||||
| 
 | ||||
| use crate::error::*; | ||||
| use http::{Response, StatusCode}; | ||||
| use http_body_util::{combinators, BodyExt, Either, Empty}; | ||||
| use hyper::body::{Bytes, Incoming}; | ||||
| 
 | ||||
| pub use proxy_main::{Proxy, ProxyBuilder, ProxyBuilderError}; | ||||
| 
 | ||||
| /// Type for synthetic boxed body
 | ||||
| type BoxBody = combinators::BoxBody<Bytes, hyper::Error>; | ||||
| /// Type for either passthrough body or synthetic body
 | ||||
| type EitherBody = Either<Incoming, BoxBody>; | ||||
| 
 | ||||
| /// helper function to build http response with passthrough body
 | ||||
| fn passthrough_response(response: Response<Incoming>) -> Result<Response<EitherBody>> { | ||||
|   Ok(response.map(EitherBody::Left)) | ||||
| } | ||||
| 
 | ||||
| /// build http response with status code of 4xx and 5xx
 | ||||
| fn synthetic_error_response(status_code: StatusCode) -> Result<Response<EitherBody>> { | ||||
|   let res = Response::builder() | ||||
|     .status(status_code) | ||||
|     .body(EitherBody::Right(BoxBody::new(empty()))) | ||||
|     .unwrap(); | ||||
|   Ok(res) | ||||
| } | ||||
| 
 | ||||
| /// helper function to build a empty body
 | ||||
| fn empty() -> BoxBody { | ||||
|   Empty::<Bytes>::new().map_err(|never| match never {}).boxed() | ||||
| } | ||||
|  |  | |||
|  | @ -1,17 +1,21 @@ | |||
| use super::Proxy; | ||||
| use crate::{certs::CryptoSource, error::*, log::*, utils::ServerNameBytesExp}; | ||||
| use bytes::{Buf, Bytes}; | ||||
| use futures::Stream; | ||||
| #[cfg(feature = "http3-quinn")] | ||||
| use h3::{quic::BidiStream, quic::Connection as ConnectionQuic, server::RequestStream}; | ||||
| use hyper::{client::connect::Connect, Body, Request, Response}; | ||||
| use http::{Request, Response}; | ||||
| use http_body_util::{BodyExt, BodyStream, StreamBody}; | ||||
| use hyper::body::{Body, Incoming}; | ||||
| use hyper_util::client::legacy::connect::Connect; | ||||
| #[cfg(feature = "http3-s2n")] | ||||
| use s2n_quic_h3::h3::{self, quic::BidiStream, quic::Connection as ConnectionQuic, server::RequestStream}; | ||||
| use std::net::SocketAddr; | ||||
| use tokio::time::{timeout, Duration}; | ||||
| 
 | ||||
| impl<T, U> Proxy<T, U> | ||||
| impl<U> Proxy<U> | ||||
| where | ||||
|   T: Connect + Clone + Sync + Send + 'static, | ||||
|   // T: Connect + Clone + Sync + Send + 'static,
 | ||||
|   U: CryptoSource + Clone + Sync + Send + 'static, | ||||
| { | ||||
|   pub(super) async fn connection_serve_h3<C>( | ||||
|  | @ -89,18 +93,36 @@ where | |||
|     S: BidiStream<Bytes> + Send + 'static, | ||||
|     <S as BidiStream<Bytes>>::RecvStream: Send, | ||||
|   { | ||||
|     println!("stream_serve_h3"); | ||||
|     let (req_parts, _) = req.into_parts(); | ||||
|     // split stream and async body handling
 | ||||
|     let (mut send_stream, mut recv_stream) = stream.split(); | ||||
| 
 | ||||
|     // generate streamed body with trailers using channel
 | ||||
|     let (body_sender, req_body) = Body::channel(); | ||||
|     // let max_body_size = self.globals.proxy_config.h3_request_max_body_size;
 | ||||
|     // // let max = body_stream.size_hint().upper().unwrap_or(u64::MAX);
 | ||||
|     // // if max > max_body_size as u64 {
 | ||||
|     // //   return Err(HttpError::TooLargeRequestBody);
 | ||||
|     // // }
 | ||||
|     // let new_req = Request::from_parts(req_parts, body_stream);
 | ||||
| 
 | ||||
|     ////////////////////
 | ||||
|     // TODO: TODO: TODO: TODO:
 | ||||
|     // TODO: Body in hyper-0.14 was changed to Incoming in hyper-1.0, and it is not accessible from outside.
 | ||||
|     // Thus, we need to implement IncomingLike trait using channel. Also, the backend handler must feed the body in the form of
 | ||||
|     // Either<Incoming, IncomingLike> as body.
 | ||||
|     // Also, the downstream from the backend handler could be Incoming, but will be wrapped as Either<Incoming, ()/Empty> as well due to H3.
 | ||||
|     // Result<Either<_,_>, E> type includes E as HttpError to generate the status code and related Response<BoxBody>.
 | ||||
|     // Thus to handle synthetic error messages in BoxBody, the serve() function outputs Response<Either<Either<Incoming, ()/Empty>, BoxBody>>>.
 | ||||
|     ////////////////////
 | ||||
| 
 | ||||
|     // // generate streamed body with trailers using channel
 | ||||
|     // let (body_sender, req_body) = Incoming::channel();
 | ||||
| 
 | ||||
|     // Buffering and sending body through channel for protocol conversion like h3 -> h2/http1.1
 | ||||
|     // The underling buffering, i.e., buffer given by the API recv_data.await?, is handled by quinn.
 | ||||
|     let max_body_size = self.globals.proxy_config.h3_request_max_body_size; | ||||
|     self.globals.runtime_handle.spawn(async move { | ||||
|       let mut sender = body_sender; | ||||
|       // let mut sender = body_sender;
 | ||||
|       let mut size = 0usize; | ||||
|       while let Some(mut body) = recv_stream.recv_data().await? { | ||||
|         debug!("HTTP/3 incoming request body: remaining {}", body.remaining()); | ||||
|  | @ -113,51 +135,52 @@ where | |||
|           return Err(RpxyError::Proxy("Exceeds max request body size for HTTP/3".to_string())); | ||||
|         } | ||||
|         // create stream body to save memory, shallow copy (increment of ref-count) to Bytes using copy_to_bytes
 | ||||
|         sender.send_data(body.copy_to_bytes(body.remaining())).await?; | ||||
|         // sender.send_data(body.copy_to_bytes(body.remaining())).await?;
 | ||||
|       } | ||||
| 
 | ||||
|       // trailers: use inner for work around. (directly get trailer)
 | ||||
|       let trailers = recv_stream.as_mut().recv_trailers().await?; | ||||
|       if trailers.is_some() { | ||||
|         debug!("HTTP/3 incoming request trailers"); | ||||
|         sender.send_trailers(trailers.unwrap()).await?; | ||||
|         // sender.send_trailers(trailers.unwrap()).await?;
 | ||||
|       } | ||||
|       Ok(()) | ||||
|     }); | ||||
| 
 | ||||
|     let new_req: Request<Body> = Request::from_parts(req_parts, req_body); | ||||
|     let res = self | ||||
|       .msg_handler | ||||
|       .clone() | ||||
|       .handle_request( | ||||
|         new_req, | ||||
|         client_addr, | ||||
|         self.listening_on, | ||||
|         self.tls_enabled, | ||||
|         Some(tls_server_name), | ||||
|       ) | ||||
|       .await?; | ||||
|     // let new_req: Request<Incoming> = Request::from_parts(req_parts, req_body);
 | ||||
|     // let res = self
 | ||||
|     //   .msg_handler
 | ||||
|     //   .clone()
 | ||||
|     //   .handle_request(
 | ||||
|     //     new_req,
 | ||||
|     //     client_addr,
 | ||||
|     //     self.listening_on,
 | ||||
|     //     self.tls_enabled,
 | ||||
|     //     Some(tls_server_name),
 | ||||
|     //   )
 | ||||
|     //   .await?;
 | ||||
| 
 | ||||
|     let (new_res_parts, new_body) = res.into_parts(); | ||||
|     let new_res = Response::from_parts(new_res_parts, ()); | ||||
|     // let (new_res_parts, new_body) = res.into_parts();
 | ||||
|     // let new_res = Response::from_parts(new_res_parts, ());
 | ||||
| 
 | ||||
|     match send_stream.send_response(new_res).await { | ||||
|       Ok(_) => { | ||||
|         debug!("HTTP/3 response to connection successful"); | ||||
|         // aggregate body without copying
 | ||||
|         let mut body_data = hyper::body::aggregate(new_body).await?; | ||||
|     // match send_stream.send_response(new_res).await {
 | ||||
|     //   Ok(_) => {
 | ||||
|     //     debug!("HTTP/3 response to connection successful");
 | ||||
|     //     // aggregate body without copying
 | ||||
|     //     let body_data = new_body.collect().await?.aggregate();
 | ||||
| 
 | ||||
|         // create stream body to save memory, shallow copy (increment of ref-count) to Bytes using copy_to_bytes
 | ||||
|         send_stream | ||||
|           .send_data(body_data.copy_to_bytes(body_data.remaining())) | ||||
|           .await?; | ||||
|     //     // create stream body to save memory, shallow copy (increment of ref-count) to Bytes using copy_to_bytes
 | ||||
|     //     send_stream
 | ||||
|     //       .send_data(body_data.copy_to_bytes(body_data.remaining()))
 | ||||
|     //       .await?;
 | ||||
| 
 | ||||
|         // TODO: needs handling trailer? should be included in body from handler.
 | ||||
|       } | ||||
|       Err(err) => { | ||||
|         error!("Unable to send response to connection peer: {:?}", err); | ||||
|       } | ||||
|     } | ||||
|     Ok(send_stream.finish().await?) | ||||
|     //     // TODO: needs handling trailer? should be included in body from handler.
 | ||||
|     //   }
 | ||||
|     //   Err(err) => {
 | ||||
|     //     error!("Unable to send response to connection peer: {:?}", err);
 | ||||
|     //   }
 | ||||
|     // }
 | ||||
|     // Ok(send_stream.finish().await?)
 | ||||
|     todo!() | ||||
|   } | ||||
| } | ||||
|  |  | |||
|  | @ -1,78 +1,70 @@ | |||
| use super::socket::bind_tcp_socket; | ||||
| use super::{passthrough_response, socket::bind_tcp_socket, synthetic_error_response, EitherBody}; | ||||
| use crate::{ | ||||
|   certs::CryptoSource, error::*, globals::Globals, handler::HttpMessageHandler, log::*, utils::ServerNameBytesExp, | ||||
|   certs::CryptoSource, error::*, globals::Globals, handler::HttpMessageHandler, hyper_executor::LocalExecutor, log::*, | ||||
|   utils::ServerNameBytesExp, | ||||
| }; | ||||
| use derive_builder::{self, Builder}; | ||||
| use hyper::{client::connect::Connect, server::conn::Http, service::service_fn, Body, Request}; | ||||
| use std::{net::SocketAddr, sync::Arc}; | ||||
| use tokio::{ | ||||
|   io::{AsyncRead, AsyncWrite}, | ||||
|   runtime::Handle, | ||||
|   sync::Notify, | ||||
|   time::{timeout, Duration}, | ||||
| use http::{Request, StatusCode}; | ||||
| use hyper::{ | ||||
|   body::Incoming, | ||||
|   rt::{Read, Write}, | ||||
|   service::service_fn, | ||||
| }; | ||||
| 
 | ||||
| #[derive(Clone)] | ||||
| pub struct LocalExecutor { | ||||
|   runtime_handle: Handle, | ||||
| } | ||||
| 
 | ||||
| impl LocalExecutor { | ||||
|   fn new(runtime_handle: Handle) -> Self { | ||||
|     LocalExecutor { runtime_handle } | ||||
|   } | ||||
| } | ||||
| 
 | ||||
| impl<F> hyper::rt::Executor<F> for LocalExecutor | ||||
| where | ||||
|   F: std::future::Future + Send + 'static, | ||||
|   F::Output: Send, | ||||
| { | ||||
|   fn execute(&self, fut: F) { | ||||
|     self.runtime_handle.spawn(fut); | ||||
|   } | ||||
| } | ||||
| use hyper_util::{client::legacy::connect::Connect, rt::TokioIo, server::conn::auto::Builder as ConnectionBuilder}; | ||||
| use std::{net::SocketAddr, sync::Arc}; | ||||
| use tokio::time::{timeout, Duration}; | ||||
| 
 | ||||
| #[derive(Clone, Builder)] | ||||
| pub struct Proxy<T, U> | ||||
| /// Proxy main object
 | ||||
| pub struct Proxy<U> | ||||
| where | ||||
|   T: Connect + Clone + Sync + Send + 'static, | ||||
|   // T: Connect + Clone + Sync + Send + 'static,
 | ||||
|   U: CryptoSource + Clone + Sync + Send + 'static, | ||||
| { | ||||
|   pub listening_on: SocketAddr, | ||||
|   pub tls_enabled: bool, // TCP待受がTLSかどうか
 | ||||
|   pub msg_handler: Arc<HttpMessageHandler<T, U>>, | ||||
|   /// hyper server receiving http request
 | ||||
|   pub http_server: Arc<ConnectionBuilder<LocalExecutor>>, | ||||
|   // pub msg_handler: Arc<HttpMessageHandler<U>>,
 | ||||
|   pub msg_handler: Arc<HttpMessageHandler<U>>, | ||||
|   pub globals: Arc<Globals<U>>, | ||||
| } | ||||
| 
 | ||||
| impl<T, U> Proxy<T, U> | ||||
| /// Wrapper function to handle request
 | ||||
| async fn serve_request<U>( | ||||
|   req: Request<Incoming>, | ||||
|   // handler: Arc<HttpMessageHandler<T, U>>,
 | ||||
|   handler: Arc<HttpMessageHandler<U>>, | ||||
|   client_addr: SocketAddr, | ||||
|   listen_addr: SocketAddr, | ||||
|   tls_enabled: bool, | ||||
|   tls_server_name: Option<ServerNameBytesExp>, | ||||
| ) -> Result<hyper::Response<EitherBody>> | ||||
| where | ||||
|   T: Connect + Clone + Sync + Send + 'static, | ||||
|   U: CryptoSource + Clone + Sync + Send + 'static, | ||||
| { | ||||
|   match handler | ||||
|     .handle_request(req, client_addr, listen_addr, tls_enabled, tls_server_name) | ||||
|     .await? | ||||
|   { | ||||
|     Ok(res) => passthrough_response(res), | ||||
|     Err(e) => synthetic_error_response(StatusCode::from(e)), | ||||
|   } | ||||
| } | ||||
| 
 | ||||
| impl<U> Proxy<U> | ||||
| where | ||||
|   // T: Connect + Clone + Sync + Send + 'static,
 | ||||
|   U: CryptoSource + Clone + Sync + Send, | ||||
| { | ||||
|   /// Wrapper function to handle request
 | ||||
|   async fn serve( | ||||
|     handler: Arc<HttpMessageHandler<T, U>>, | ||||
|     req: Request<Body>, | ||||
|     client_addr: SocketAddr, | ||||
|     listen_addr: SocketAddr, | ||||
|     tls_enabled: bool, | ||||
|     tls_server_name: Option<ServerNameBytesExp>, | ||||
|   ) -> Result<hyper::Response<Body>> { | ||||
|     handler | ||||
|       .handle_request(req, client_addr, listen_addr, tls_enabled, tls_server_name) | ||||
|       .await | ||||
|   } | ||||
| 
 | ||||
|   /// Serves requests from clients
 | ||||
|   pub(super) fn client_serve<I>( | ||||
|     self, | ||||
|   pub(super) fn serve_connection<I>( | ||||
|     &self, | ||||
|     stream: I, | ||||
|     server: Http<LocalExecutor>, | ||||
|     peer_addr: SocketAddr, | ||||
|     tls_server_name: Option<ServerNameBytesExp>, | ||||
|   ) where | ||||
|     I: AsyncRead + AsyncWrite + Send + Unpin + 'static, | ||||
|     I: Read + Write + Send + Unpin + 'static, | ||||
|   { | ||||
|     let request_count = self.globals.request_count.clone(); | ||||
|     if request_count.increment() > self.globals.proxy_config.max_clients { | ||||
|  | @ -81,24 +73,27 @@ where | |||
|     } | ||||
|     debug!("Request incoming: current # {}", request_count.current()); | ||||
| 
 | ||||
|     let server_clone = self.http_server.clone(); | ||||
|     let msg_handler_clone = self.msg_handler.clone(); | ||||
|     let timeout_sec = self.globals.proxy_config.proxy_timeout; | ||||
|     let tls_enabled = self.tls_enabled; | ||||
|     let listening_on = self.listening_on; | ||||
|     self.globals.runtime_handle.clone().spawn(async move { | ||||
|       timeout( | ||||
|         self.globals.proxy_config.proxy_timeout + Duration::from_secs(1), | ||||
|         server | ||||
|           .serve_connection( | ||||
|             stream, | ||||
|             service_fn(move |req: Request<Body>| { | ||||
|               Self::serve( | ||||
|                 self.msg_handler.clone(), | ||||
|                 req, | ||||
|                 peer_addr, | ||||
|                 self.listening_on, | ||||
|                 self.tls_enabled, | ||||
|                 tls_server_name.clone(), | ||||
|               ) | ||||
|             }), | ||||
|           ) | ||||
|           .with_upgrades(), | ||||
|         timeout_sec + Duration::from_secs(1), | ||||
|         server_clone.serve_connection_with_upgrades( | ||||
|           stream, | ||||
|           service_fn(move |req: Request<Incoming>| { | ||||
|             serve_request( | ||||
|               req, | ||||
|               msg_handler_clone.clone(), | ||||
|               peer_addr, | ||||
|               listening_on, | ||||
|               tls_enabled, | ||||
|               tls_server_name.clone(), | ||||
|             ) | ||||
|           }), | ||||
|         ), | ||||
|       ) | ||||
|       .await | ||||
|       .ok(); | ||||
|  | @ -109,13 +104,13 @@ where | |||
|   } | ||||
| 
 | ||||
|   /// Start without TLS (HTTP cleartext)
 | ||||
|   async fn start_without_tls(self, server: Http<LocalExecutor>) -> Result<()> { | ||||
|   async fn start_without_tls(&self) -> Result<()> { | ||||
|     let listener_service = async { | ||||
|       let tcp_socket = bind_tcp_socket(&self.listening_on)?; | ||||
|       let tcp_listener = tcp_socket.listen(self.globals.proxy_config.tcp_listen_backlog)?; | ||||
|       info!("Start TCP proxy serving with HTTP request for configured host names"); | ||||
|       while let Ok((stream, _client_addr)) = tcp_listener.accept().await { | ||||
|         self.clone().client_serve(stream, server.clone(), _client_addr, None); | ||||
|       while let Ok((stream, client_addr)) = tcp_listener.accept().await { | ||||
|         self.serve_connection(TokioIo::new(stream), client_addr, None); | ||||
|       } | ||||
|       Ok(()) as Result<()> | ||||
|     }; | ||||
|  | @ -124,32 +119,23 @@ where | |||
|   } | ||||
| 
 | ||||
|   /// Entrypoint for HTTP/1.1 and HTTP/2 servers
 | ||||
|   pub async fn start(self, term_notify: Option<Arc<Notify>>) -> Result<()> { | ||||
|     let mut server = Http::new(); | ||||
|     server.http1_keep_alive(self.globals.proxy_config.keepalive); | ||||
|     server.http2_max_concurrent_streams(self.globals.proxy_config.max_concurrent_streams); | ||||
|     server.pipeline_flush(true); | ||||
|     let executor = LocalExecutor::new(self.globals.runtime_handle.clone()); | ||||
|     let server = server.with_executor(executor); | ||||
| 
 | ||||
|     let listening_on = self.listening_on; | ||||
| 
 | ||||
|   pub async fn start(&self) -> Result<()> { | ||||
|     let proxy_service = async { | ||||
|       if self.tls_enabled { | ||||
|         self.start_with_tls(server).await | ||||
|         self.start_with_tls().await | ||||
|       } else { | ||||
|         self.start_without_tls(server).await | ||||
|         self.start_without_tls().await | ||||
|       } | ||||
|     }; | ||||
| 
 | ||||
|     match term_notify { | ||||
|     match &self.globals.term_notify { | ||||
|       Some(term) => { | ||||
|         tokio::select! { | ||||
|           _ = proxy_service => { | ||||
|             warn!("Proxy service got down"); | ||||
|           } | ||||
|           _ = term.notified() => { | ||||
|             info!("Proxy service listening on {} receives term signal", listening_on); | ||||
|             info!("Proxy service listening on {} receives term signal", self.listening_on); | ||||
|           } | ||||
|         } | ||||
|       } | ||||
|  | @ -159,8 +145,6 @@ where | |||
|       } | ||||
|     } | ||||
| 
 | ||||
|     // proxy_service.await?;
 | ||||
| 
 | ||||
|     Ok(()) | ||||
|   } | ||||
| } | ||||
|  |  | |||
|  | @ -5,14 +5,14 @@ use super::{ | |||
| }; | ||||
| use crate::{certs::CryptoSource, error::*, log::*, utils::BytesName}; | ||||
| use hot_reload::ReloaderReceiver; | ||||
| use hyper::client::connect::Connect; | ||||
| use hyper_util::client::legacy::connect::Connect; | ||||
| use quinn::{crypto::rustls::HandshakeData, Endpoint, ServerConfig as QuicServerConfig, TransportConfig}; | ||||
| use rustls::ServerConfig; | ||||
| use std::sync::Arc; | ||||
| 
 | ||||
| impl<T, U> Proxy<T, U> | ||||
| impl<U> Proxy<U> | ||||
| where | ||||
|   T: Connect + Clone + Sync + Send + 'static, | ||||
|   // T: Connect + Clone + Sync + Send + 'static,
 | ||||
|   U: CryptoSource + Clone + Sync + Send + 'static, | ||||
| { | ||||
|   pub(super) async fn listener_service_h3( | ||||
|  |  | |||
|  | @ -4,13 +4,13 @@ use super::{ | |||
| }; | ||||
| use crate::{certs::CryptoSource, error::*, log::*, utils::BytesName}; | ||||
| use hot_reload::ReloaderReceiver; | ||||
| use hyper::client::connect::Connect; | ||||
| use hyper_util::client::legacy::connect::Connect; | ||||
| use s2n_quic::provider; | ||||
| use std::sync::Arc; | ||||
| 
 | ||||
| impl<T, U> Proxy<T, U> | ||||
| impl<U> Proxy<U> | ||||
| where | ||||
|   T: Connect + Clone + Sync + Send + 'static, | ||||
|   // T: Connect + Clone + Sync + Send + 'static,
 | ||||
|   U: CryptoSource + Clone + Sync + Send + 'static, | ||||
| { | ||||
|   pub(super) async fn listener_service_h3( | ||||
|  | @ -29,7 +29,7 @@ where | |||
|     // event loop
 | ||||
|     loop { | ||||
|       tokio::select! { | ||||
|         v = self.serve_connection(&server_crypto) => { | ||||
|         v = self.listener_service_h3_inner(&server_crypto) => { | ||||
|           if let Err(e) = v { | ||||
|             error!("Quic connection event loop illegally shutdown [s2n-quic] {e}"); | ||||
|             break; | ||||
|  | @ -64,7 +64,7 @@ where | |||
|     }) | ||||
|   } | ||||
| 
 | ||||
|   async fn serve_connection(&self, server_crypto: &Option<Arc<ServerCrypto>>) -> Result<()> { | ||||
|   async fn listener_service_h3_inner(&self, server_crypto: &Option<Arc<ServerCrypto>>) -> Result<()> { | ||||
|     // setup UDP socket
 | ||||
|     let io = provider::io::tokio::Builder::default() | ||||
|       .with_receive_address(self.listening_on)? | ||||
|  | @ -110,9 +110,9 @@ where | |||
|     while let Some(new_conn) = server.accept().await { | ||||
|       debug!("New QUIC connection established"); | ||||
|       let Ok(Some(new_server_name)) = new_conn.server_name() else { | ||||
|           warn!("HTTP/3 no SNI is given"); | ||||
|           continue; | ||||
|         }; | ||||
|         warn!("HTTP/3 no SNI is given"); | ||||
|         continue; | ||||
|       }; | ||||
|       debug!("HTTP/3 connection incoming (SNI {:?})", new_server_name); | ||||
|       let self_clone = self.clone(); | ||||
| 
 | ||||
|  |  | |||
|  | @ -1,25 +1,21 @@ | |||
| use super::{ | ||||
|   crypto_service::{CryptoReloader, ServerCrypto, ServerCryptoBase, SniServerCryptoMap}, | ||||
|   proxy_main::{LocalExecutor, Proxy}, | ||||
|   proxy_main::Proxy, | ||||
|   socket::bind_tcp_socket, | ||||
| }; | ||||
| use crate::{certs::CryptoSource, constants::*, error::*, log::*, utils::BytesName}; | ||||
| use hot_reload::{ReloaderReceiver, ReloaderService}; | ||||
| use hyper::{client::connect::Connect, server::conn::Http}; | ||||
| use hyper_util::{client::legacy::connect::Connect, rt::TokioIo, server::conn::auto::Builder as ConnectionBuilder}; | ||||
| use std::sync::Arc; | ||||
| use tokio::time::{timeout, Duration}; | ||||
| 
 | ||||
| impl<T, U> Proxy<T, U> | ||||
| impl<U> Proxy<U> | ||||
| where | ||||
|   T: Connect + Clone + Sync + Send + 'static, | ||||
|   // T: Connect + Clone + Sync + Send + 'static,
 | ||||
|   U: CryptoSource + Clone + Sync + Send + 'static, | ||||
| { | ||||
|   // TCP Listener Service, i.e., http/2 and http/1.1
 | ||||
|   async fn listener_service( | ||||
|     &self, | ||||
|     server: Http<LocalExecutor>, | ||||
|     mut server_crypto_rx: ReloaderReceiver<ServerCryptoBase>, | ||||
|   ) -> Result<()> { | ||||
|   async fn listener_service(&self, mut server_crypto_rx: ReloaderReceiver<ServerCryptoBase>) -> Result<()> { | ||||
|     let tcp_socket = bind_tcp_socket(&self.listening_on)?; | ||||
|     let tcp_listener = tcp_socket.listen(self.globals.proxy_config.tcp_listen_backlog)?; | ||||
|     info!("Start TCP proxy serving with HTTPS request for configured host names"); | ||||
|  | @ -33,7 +29,6 @@ where | |||
|           } | ||||
|           let (raw_stream, client_addr) = tcp_cnx.unwrap(); | ||||
|           let sc_map_inner = server_crypto_map.clone(); | ||||
|           let server_clone = server.clone(); | ||||
|           let self_inner = self.clone(); | ||||
| 
 | ||||
|           // spawns async handshake to avoid blocking thread by sequential handshake.
 | ||||
|  | @ -55,30 +50,27 @@ where | |||
|               return Err(RpxyError::Proxy(format!("No TLS serving app for {:?}", server_name.unwrap()))); | ||||
|             } | ||||
|             let stream = match start.into_stream(server_crypto.unwrap().clone()).await { | ||||
|               Ok(s) => s, | ||||
|               Ok(s) => TokioIo::new(s), | ||||
|               Err(e) => { | ||||
|                 return Err(RpxyError::Proxy(format!("Failed to handshake TLS: {e}"))); | ||||
|               } | ||||
|             }; | ||||
|             self_inner.client_serve(stream, server_clone, client_addr, server_name_in_bytes); | ||||
|             self_inner.serve_connection(stream, client_addr, server_name_in_bytes); | ||||
|             Ok(()) | ||||
|           }; | ||||
| 
 | ||||
|           self.globals.runtime_handle.spawn( async move { | ||||
|             // timeout is introduced to avoid get stuck here.
 | ||||
|             match timeout( | ||||
|             let Ok(v) = timeout( | ||||
|               Duration::from_secs(TLS_HANDSHAKE_TIMEOUT_SEC), | ||||
|               handshake_fut | ||||
|             ).await { | ||||
|               Ok(a) => { | ||||
|                 if let Err(e) = a { | ||||
|                   error!("{}", e); | ||||
|                 } | ||||
|               }, | ||||
|               Err(e) => { | ||||
|                 error!("Timeout to handshake TLS: {}", e); | ||||
|               } | ||||
|             ).await else { | ||||
|               error!("Timeout to handshake TLS"); | ||||
|               return; | ||||
|             }; | ||||
|             if let Err(e) = v { | ||||
|               error!("{}", e); | ||||
|             } | ||||
|           }); | ||||
|         } | ||||
|         _ = server_crypto_rx.changed() => { | ||||
|  | @ -99,7 +91,7 @@ where | |||
|     Ok(()) as Result<()> | ||||
|   } | ||||
| 
 | ||||
|   pub async fn start_with_tls(self, server: Http<LocalExecutor>) -> Result<()> { | ||||
|   pub async fn start_with_tls(&self) -> Result<()> { | ||||
|     let (cert_reloader_service, cert_reloader_rx) = ReloaderService::<CryptoReloader<U>, ServerCryptoBase>::new( | ||||
|       &self.globals.clone(), | ||||
|       CERTS_WATCH_DELAY_SECS, | ||||
|  | @ -114,7 +106,7 @@ where | |||
|         _= cert_reloader_service.start() => { | ||||
|           error!("Cert service for TLS exited"); | ||||
|         }, | ||||
|         _ = self.listener_service(server, cert_reloader_rx) => { | ||||
|         _ = self.listener_service(cert_reloader_rx) => { | ||||
|           error!("TCP proxy service for TLS exited"); | ||||
|         }, | ||||
|         else => { | ||||
|  | @ -131,7 +123,7 @@ where | |||
|           _= cert_reloader_service.start() => { | ||||
|             error!("Cert service for TLS exited"); | ||||
|           }, | ||||
|           _ = self.listener_service(server, cert_reloader_rx.clone()) => { | ||||
|           _ = self.listener_service(cert_reloader_rx.clone()) => { | ||||
|             error!("TCP proxy service for TLS exited"); | ||||
|           }, | ||||
|           _= self.listener_service_h3(cert_reloader_rx) => { | ||||
|  | @ -148,7 +140,7 @@ where | |||
|           _= cert_reloader_service.start() => { | ||||
|             error!("Cert service for TLS exited"); | ||||
|           }, | ||||
|           _ = self.listener_service(server, cert_reloader_rx) => { | ||||
|           _ = self.listener_service(cert_reloader_rx) => { | ||||
|             error!("TCP proxy service for TLS exited"); | ||||
|           }, | ||||
|           else => { | ||||
|  |  | |||
		Loading…
	
	Add table
		Add a link
		
	
		Reference in a new issue
	
	 Jun Kurihara
				Jun Kurihara