mirror of
https://github.com/rustdesk/rustdesk.git
synced 2026-04-16 13:01:30 +03:00
review: extract fallback helper, fix Content-Type override, add overall timeout
- Extract duplicated TCP proxy fallback logic into generic `with_tcp_proxy_fallback` helper used by both `post_request` and `http_request_sync`, eliminating code drift risk - Allow caller-supplied Content-Type to override the default in `parse_simple_header` instead of silently dropping it - Take body by reference in `post_request_http` to avoid eager clone when no fallback is needed - Wrap entire `tcp_proxy_request` flow (connect + handshake + send + receive) in an overall timeout to prevent indefinite stalls Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
This commit is contained in:
218
src/common.rs
218
src/common.rs
@@ -1187,6 +1187,10 @@ fn get_tcp_proxy_addr() -> String {
|
|||||||
/// Send an HTTP request via the rendezvous server's TCP proxy using protobuf.
|
/// Send an HTTP request via the rendezvous server's TCP proxy using protobuf.
|
||||||
/// Connects with `connect_tcp` + `secure_tcp`, sends `HttpProxyRequest`,
|
/// Connects with `connect_tcp` + `secure_tcp`, sends `HttpProxyRequest`,
|
||||||
/// receives `HttpProxyResponse`.
|
/// receives `HttpProxyResponse`.
|
||||||
|
///
|
||||||
|
/// The entire operation (connect + handshake + send + receive) is wrapped in
|
||||||
|
/// an overall timeout of `CONNECT_TIMEOUT + READ_TIMEOUT` so that a stall at
|
||||||
|
/// any stage cannot block the caller indefinitely.
|
||||||
async fn tcp_proxy_request(
|
async fn tcp_proxy_request(
|
||||||
method: &str,
|
method: &str,
|
||||||
url: &str,
|
url: &str,
|
||||||
@@ -1212,52 +1216,65 @@ async fn tcp_proxy_request(
|
|||||||
tcp_addr
|
tcp_addr
|
||||||
);
|
);
|
||||||
|
|
||||||
let mut conn = socket_client::connect_tcp(&*tcp_addr, CONNECT_TIMEOUT).await?;
|
let overall_timeout = CONNECT_TIMEOUT + READ_TIMEOUT;
|
||||||
let key = crate::get_key(true).await;
|
timeout(overall_timeout, async {
|
||||||
secure_tcp_silent(&mut conn, &key).await?;
|
let mut conn = socket_client::connect_tcp(&*tcp_addr, CONNECT_TIMEOUT).await?;
|
||||||
|
let key = crate::get_key(true).await;
|
||||||
|
secure_tcp_silent(&mut conn, &key).await?;
|
||||||
|
|
||||||
let mut req = HttpProxyRequest::new();
|
let mut req = HttpProxyRequest::new();
|
||||||
req.method = method.to_uppercase();
|
req.method = method.to_uppercase();
|
||||||
req.path = path;
|
req.path = path;
|
||||||
req.headers = headers.into();
|
req.headers = headers.into();
|
||||||
req.body = Bytes::from(body.to_vec());
|
req.body = Bytes::from(body.to_vec());
|
||||||
|
|
||||||
let mut msg_out = RendezvousMessage::new();
|
let mut msg_out = RendezvousMessage::new();
|
||||||
msg_out.set_http_proxy_request(req);
|
msg_out.set_http_proxy_request(req);
|
||||||
conn.send(&msg_out).await?;
|
conn.send(&msg_out).await?;
|
||||||
|
|
||||||
match timeout(READ_TIMEOUT, conn.next()).await? {
|
match conn.next().await {
|
||||||
Some(Ok(bytes)) => {
|
Some(Ok(bytes)) => {
|
||||||
let msg_in = RendezvousMessage::parse_from_bytes(&bytes)?;
|
let msg_in = RendezvousMessage::parse_from_bytes(&bytes)?;
|
||||||
match msg_in.union {
|
match msg_in.union {
|
||||||
Some(rendezvous_message::Union::HttpProxyResponse(resp)) => Ok(resp),
|
Some(rendezvous_message::Union::HttpProxyResponse(resp)) => Ok(resp),
|
||||||
_ => bail!("Unexpected response from TCP proxy"),
|
_ => bail!("Unexpected response from TCP proxy"),
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
Some(Err(e)) => bail!("TCP proxy read error: {}", e),
|
||||||
|
None => bail!("TCP proxy connection closed without response"),
|
||||||
}
|
}
|
||||||
Some(Err(e)) => bail!("TCP proxy read error: {}", e),
|
})
|
||||||
None => bail!("TCP proxy connection closed without response"),
|
.await?
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Build HeaderEntry list from "Key: Value" style header string (used by post_request).
|
/// Build HeaderEntry list from "Key: Value" style header string (used by post_request).
|
||||||
|
/// If the caller supplies a Content-Type header it overrides the default `application/json`.
|
||||||
fn parse_simple_header(header: &str) -> Vec<HeaderEntry> {
|
fn parse_simple_header(header: &str) -> Vec<HeaderEntry> {
|
||||||
let mut entries = vec![HeaderEntry {
|
let mut entries = Vec::new();
|
||||||
name: "Content-Type".into(),
|
let mut has_content_type = false;
|
||||||
value: "application/json".into(),
|
|
||||||
..Default::default()
|
|
||||||
}];
|
|
||||||
if !header.is_empty() {
|
if !header.is_empty() {
|
||||||
let tmp: Vec<&str> = header.splitn(2, ": ").collect();
|
let tmp: Vec<&str> = header.splitn(2, ": ").collect();
|
||||||
if tmp.len() == 2 {
|
if tmp.len() == 2 {
|
||||||
if !tmp[0].eq_ignore_ascii_case("Content-Type") {
|
if tmp[0].eq_ignore_ascii_case("Content-Type") {
|
||||||
entries.push(HeaderEntry {
|
has_content_type = true;
|
||||||
name: tmp[0].into(),
|
|
||||||
value: tmp[1].into(),
|
|
||||||
..Default::default()
|
|
||||||
});
|
|
||||||
}
|
}
|
||||||
|
entries.push(HeaderEntry {
|
||||||
|
name: tmp[0].into(),
|
||||||
|
value: tmp[1].into(),
|
||||||
|
..Default::default()
|
||||||
|
});
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
if !has_content_type {
|
||||||
|
entries.insert(
|
||||||
|
0,
|
||||||
|
HeaderEntry {
|
||||||
|
name: "Content-Type".into(),
|
||||||
|
value: "application/json".into(),
|
||||||
|
..Default::default()
|
||||||
|
},
|
||||||
|
);
|
||||||
|
}
|
||||||
entries
|
entries
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -1308,21 +1325,16 @@ fn parse_json_header_entries(header: &str) -> ResultType<Vec<HeaderEntry>> {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
#[inline]
|
|
||||||
fn tcp_proxy_fallback_log_condition() -> &'static str {
|
|
||||||
"failed or 5xx"
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Returns (status_code, body_text). Separating status so the wrapper can decide on fallback.
|
/// Returns (status_code, body_text). Separating status so the wrapper can decide on fallback.
|
||||||
async fn post_request_http(url: String, body: String, header: &str) -> ResultType<(u16, String)> {
|
async fn post_request_http(url: &str, body: &str, header: &str) -> ResultType<(u16, String)> {
|
||||||
let proxy_conf = Config::get_socks();
|
let proxy_conf = Config::get_socks();
|
||||||
let tls_url = get_url_for_tls(&url, &proxy_conf);
|
let tls_url = get_url_for_tls(url, &proxy_conf);
|
||||||
let tls_type = get_cached_tls_type(tls_url);
|
let tls_type = get_cached_tls_type(tls_url);
|
||||||
let danger_accept_invalid_cert = get_cached_tls_accept_invalid_cert(tls_url);
|
let danger_accept_invalid_cert = get_cached_tls_accept_invalid_cert(tls_url);
|
||||||
let response = post_request_(
|
let response = post_request_(
|
||||||
&url,
|
url,
|
||||||
tls_url,
|
tls_url,
|
||||||
body.clone(),
|
body.to_owned(),
|
||||||
header,
|
header,
|
||||||
tls_type,
|
tls_type,
|
||||||
danger_accept_invalid_cert,
|
danger_accept_invalid_cert,
|
||||||
@@ -1334,6 +1346,49 @@ async fn post_request_http(url: String, body: String, header: &str) -> ResultTyp
|
|||||||
Ok((status, text))
|
Ok((status, text))
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// Try `http_fn` first; on connection failure or 5xx, fall back to `tcp_fn`
|
||||||
|
/// if the URL is eligible. 4xx responses are returned as-is.
|
||||||
|
async fn with_tcp_proxy_fallback<HttpFut, TcpFut>(
|
||||||
|
url: &str,
|
||||||
|
method: &str,
|
||||||
|
http_fn: HttpFut,
|
||||||
|
tcp_fn: TcpFut,
|
||||||
|
) -> ResultType<String>
|
||||||
|
where
|
||||||
|
HttpFut: Future<Output = ResultType<(u16, String)>>,
|
||||||
|
TcpFut: Future<Output = ResultType<String>>,
|
||||||
|
{
|
||||||
|
if should_use_raw_tcp_for_api(url) {
|
||||||
|
return tcp_fn.await;
|
||||||
|
}
|
||||||
|
|
||||||
|
let http_result = http_fn.await;
|
||||||
|
let should_fallback = match &http_result {
|
||||||
|
Err(_) => true,
|
||||||
|
Ok((status, _)) => *status >= 500,
|
||||||
|
};
|
||||||
|
|
||||||
|
if should_fallback && can_fallback_to_raw_tcp(url) {
|
||||||
|
log::warn!(
|
||||||
|
"HTTP {} to {} failed or 5xx (result: {:?}), trying TCP proxy fallback",
|
||||||
|
method,
|
||||||
|
tcp_proxy_log_target(url),
|
||||||
|
http_result
|
||||||
|
.as_ref()
|
||||||
|
.map(|(s, _)| *s)
|
||||||
|
.map_err(|e| e.to_string()),
|
||||||
|
);
|
||||||
|
match tcp_fn.await {
|
||||||
|
Ok(resp) => return Ok(resp),
|
||||||
|
Err(tcp_err) => {
|
||||||
|
log::warn!("TCP proxy fallback also failed: {:?}", tcp_err);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
http_result.map(|(_status, text)| text)
|
||||||
|
}
|
||||||
|
|
||||||
/// POST request with raw TCP proxy support.
|
/// POST request with raw TCP proxy support.
|
||||||
/// - If `USE_RAW_TCP_FOR_API` is "Y" and WS is off, goes directly through TCP proxy.
|
/// - If `USE_RAW_TCP_FOR_API` is "Y" and WS is off, goes directly through TCP proxy.
|
||||||
/// - Otherwise tries HTTP first; on connection failure or 5xx status,
|
/// - Otherwise tries HTTP first; on connection failure or 5xx status,
|
||||||
@@ -1341,40 +1396,13 @@ async fn post_request_http(url: String, body: String, header: &str) -> ResultTyp
|
|||||||
/// - 4xx responses are returned as-is (server is reachable, business logic error).
|
/// - 4xx responses are returned as-is (server is reachable, business logic error).
|
||||||
/// - If fallback also fails, returns the original HTTP result (text or error).
|
/// - If fallback also fails, returns the original HTTP result (text or error).
|
||||||
pub async fn post_request(url: String, body: String, header: &str) -> ResultType<String> {
|
pub async fn post_request(url: String, body: String, header: &str) -> ResultType<String> {
|
||||||
if should_use_raw_tcp_for_api(&url) {
|
with_tcp_proxy_fallback(
|
||||||
return post_request_via_tcp_proxy(&url, &body, header).await;
|
&url,
|
||||||
}
|
"POST",
|
||||||
|
post_request_http(&url, &body, header),
|
||||||
let http_result = post_request_http(url.clone(), body.clone(), header).await;
|
post_request_via_tcp_proxy(&url, &body, header),
|
||||||
let should_fallback = match &http_result {
|
)
|
||||||
Err(_) => true,
|
.await
|
||||||
Ok((status, _)) => *status >= 500,
|
|
||||||
};
|
|
||||||
|
|
||||||
if should_fallback && can_fallback_to_raw_tcp(&url) {
|
|
||||||
log::warn!(
|
|
||||||
"HTTP POST to {} {} (result: {:?}), trying TCP proxy fallback",
|
|
||||||
tcp_proxy_log_target(&url),
|
|
||||||
tcp_proxy_fallback_log_condition(),
|
|
||||||
http_result
|
|
||||||
.as_ref()
|
|
||||||
.map(|(s, _)| *s)
|
|
||||||
.map_err(|e| e.to_string()),
|
|
||||||
);
|
|
||||||
match post_request_via_tcp_proxy(&url, &body, header).await {
|
|
||||||
Ok(resp) => return Ok(resp),
|
|
||||||
Err(tcp_err) => {
|
|
||||||
log::warn!("TCP proxy fallback also failed: {:?}", tcp_err);
|
|
||||||
// Fall through to return original HTTP result
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// Return original HTTP result
|
|
||||||
match http_result {
|
|
||||||
Ok((_status, text)) => Ok(text),
|
|
||||||
Err(e) => Err(e),
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
#[async_recursion]
|
#[async_recursion]
|
||||||
@@ -1623,32 +1651,13 @@ pub async fn http_request_sync(
|
|||||||
body: Option<String>,
|
body: Option<String>,
|
||||||
header: String,
|
header: String,
|
||||||
) -> ResultType<String> {
|
) -> ResultType<String> {
|
||||||
if should_use_raw_tcp_for_api(&url) {
|
with_tcp_proxy_fallback(
|
||||||
return http_request_via_tcp_proxy(&url, &method, body.as_deref(), &header).await;
|
&url,
|
||||||
}
|
&method,
|
||||||
|
http_request_http(&url, &method, body.clone(), &header),
|
||||||
let http_result = http_request_http(&url, &method, body.clone(), &header).await;
|
http_request_via_tcp_proxy(&url, &method, body.as_deref(), &header),
|
||||||
let should_fallback = match &http_result {
|
)
|
||||||
Err(_) => true,
|
.await
|
||||||
Ok((status, _)) => *status >= 500,
|
|
||||||
};
|
|
||||||
|
|
||||||
if should_fallback && can_fallback_to_raw_tcp(&url) {
|
|
||||||
log::warn!(
|
|
||||||
"HTTP {} to {} {}, trying TCP proxy fallback",
|
|
||||||
method,
|
|
||||||
tcp_proxy_log_target(&url),
|
|
||||||
tcp_proxy_fallback_log_condition()
|
|
||||||
);
|
|
||||||
match http_request_via_tcp_proxy(&url, &method, body.as_deref(), &header).await {
|
|
||||||
Ok(resp) => return Ok(resp),
|
|
||||||
Err(tcp_err) => {
|
|
||||||
log::warn!("TCP proxy fallback also failed: {:?}", tcp_err);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
http_result.map(|(_status, json_str)| json_str)
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/// General HTTP request via TCP proxy. Header is a JSON string (used by http_request_sync).
|
/// General HTTP request via TCP proxy. Header is a JSON string (used by http_request_sync).
|
||||||
@@ -2874,7 +2883,7 @@ mod tests {
|
|||||||
}
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn test_parse_simple_header_ignores_custom_content_type() {
|
fn test_parse_simple_header_respects_custom_content_type() {
|
||||||
let headers = parse_simple_header("Content-Type: text/plain");
|
let headers = parse_simple_header("Content-Type: text/plain");
|
||||||
|
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
@@ -2889,7 +2898,7 @@ mod tests {
|
|||||||
.iter()
|
.iter()
|
||||||
.find(|entry| entry.name.eq_ignore_ascii_case("Content-Type"))
|
.find(|entry| entry.name.eq_ignore_ascii_case("Content-Type"))
|
||||||
.map(|entry| entry.value.as_str()),
|
.map(|entry| entry.value.as_str()),
|
||||||
Some("application/json")
|
Some("text/plain")
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -2917,11 +2926,6 @@ mod tests {
|
|||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
#[test]
|
|
||||||
fn test_tcp_proxy_fallback_log_condition() {
|
|
||||||
assert_eq!(tcp_proxy_fallback_log_condition(), "failed or 5xx");
|
|
||||||
}
|
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn test_tcp_proxy_log_target_redacts_query_only() {
|
fn test_tcp_proxy_log_target_redacts_query_only() {
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
|
|||||||
Reference in New Issue
Block a user