1
0
mirror of https://github.com/fafhrd91/actix-web synced 2024-11-24 00:21:08 +01:00
actix-web/awc/src/lib.rs

145 lines
4.2 KiB
Rust
Raw Normal View History

2022-03-06 00:15:33 +01:00
//! `awc` is an asynchronous HTTP and WebSocket client library.
//!
2021-06-19 21:23:06 +02:00
//! # Making a GET request
//! ```no_run
//! # #[actix_rt::main]
//! # async fn main() -> Result<(), awc::error::SendRequestError> {
//! let mut client = awc::Client::default();
//! let response = client.get("http://www.rust-lang.org") // <- Create request builder
2021-01-15 03:11:10 +01:00
//! .insert_header(("User-Agent", "Actix-web"))
//! .send() // <- Send http request
//! .await?;
//!
//! println!("Response: {:?}", response);
//! # Ok(())
//! # }
//! ```
//!
2021-06-19 21:23:06 +02:00
//! # Making POST requests
//! ## Raw body contents
//! ```no_run
//! # #[actix_rt::main]
//! # async fn main() -> Result<(), awc::error::SendRequestError> {
//! let mut client = awc::Client::default();
//! let response = client.post("http://httpbin.org/post")
//! .send_body("Raw body contents")
//! .await?;
//! # Ok(())
//! # }
//! ```
//!
2021-06-19 21:23:06 +02:00
//! ## Forms
//! ```no_run
//! # #[actix_rt::main]
//! # async fn main() -> Result<(), awc::error::SendRequestError> {
//! let params = [("foo", "bar"), ("baz", "quux")];
//!
//! let mut client = awc::Client::default();
//! let response = client.post("http://httpbin.org/post")
//! .send_form(&params)
//! .await?;
//! # Ok(())
//! # }
//! ```
2019-03-27 17:24:55 +01:00
//!
2021-06-19 21:23:06 +02:00
//! ## JSON
//! ```no_run
//! # #[actix_rt::main]
//! # async fn main() -> Result<(), awc::error::SendRequestError> {
//! let request = serde_json::json!({
//! "lang": "rust",
//! "body": "json"
//! });
2019-11-26 06:25:50 +01:00
//!
//! let mut client = awc::Client::default();
//! let response = client.post("http://httpbin.org/post")
//! .send_json(&request)
//! .await?;
//! # Ok(())
//! # }
2019-03-27 17:24:55 +01:00
//! ```
//!
2021-06-19 21:23:06 +02:00
//! # Response Compression
//! All [official][iana-encodings] and common content encoding codecs are supported, optionally.
//!
2021-06-19 21:23:06 +02:00
//! The `Accept-Encoding` header will automatically be populated with enabled codecs and added to
//! outgoing requests, allowing servers to select their `Content-Encoding` accordingly.
//!
//! Feature flags enable these codecs according to the table below. By default, all `compress-*`
//! features are enabled.
//!
//! | Feature | Codecs |
//! | ----------------- | ------------- |
//! | `compress-brotli` | brotli |
//! | `compress-gzip` | gzip, deflate |
//! | `compress-zstd` | zstd |
//!
//! [iana-encodings]: https://www.iana.org/assignments/http-parameters/http-parameters.xhtml#content-coding
//!
//! # WebSocket support
//! ```no_run
//! # #[actix_rt::main]
//! # async fn main() -> Result<(), Box<dyn std::error::Error>> {
//! use futures_util::{sink::SinkExt, stream::StreamExt};
//! let (_resp, mut connection) = awc::Client::new()
//! .ws("ws://echo.websocket.org")
//! .connect()
//! .await?;
//!
//! connection
//! .send(awc::ws::Message::Text("Echo".into()))
//! .await?;
//! let response = connection.next().await.unwrap()?;
//! # assert_eq!(response, awc::ws::Frame::Text("Echo".as_bytes().into()));
//! # Ok(())
//! # }
//! ```
2021-12-08 07:09:56 +01:00
#![deny(rust_2018_idioms, nonstandard_style)]
#![warn(future_incompatible)]
2020-10-30 03:50:53 +01:00
#![allow(
clippy::type_complexity,
clippy::borrow_interior_mutable_const,
clippy::needless_doctest_main
)]
#![doc(html_logo_url = "https://actix.rs/img/logo.png")]
#![doc(html_favicon_url = "https://actix.rs/favicon.ico")]
2021-12-25 03:28:23 +01:00
pub use actix_http::body;
#[cfg(feature = "cookies")]
pub use cookie;
2021-12-04 20:40:47 +01:00
mod any_body;
2019-03-26 05:58:01 +01:00
mod builder;
mod client;
2019-03-26 05:58:01 +01:00
mod connect;
2019-03-28 02:53:19 +01:00
pub mod error;
mod frozen;
2021-02-28 19:17:08 +01:00
pub mod middleware;
2019-03-26 05:58:01 +01:00
mod request;
mod responses;
mod sender;
2019-03-27 05:54:57 +01:00
pub mod test;
pub mod ws;
2019-03-26 05:58:01 +01:00
2021-12-25 03:28:23 +01:00
pub mod http {
//! Various HTTP related types.
// TODO: figure out how best to expose http::Error vs actix_http::Error
pub use actix_http::{
header, uri, ConnectionType, Error, Method, StatusCode, Uri, Version,
};
}
2019-03-26 05:58:01 +01:00
pub use self::builder::ClientBuilder;
2021-12-25 03:23:22 +01:00
pub use self::client::{Client, Connector};
pub use self::connect::{BoxConnectorService, BoxedSocket, ConnectRequest, ConnectResponse};
pub use self::frozen::{FrozenClientRequest, FrozenSendBuilder};
2019-03-26 05:58:01 +01:00
pub use self::request::ClientRequest;
#[allow(deprecated)]
pub use self::responses::{ClientResponse, JsonBody, MessageBody, ResponseBody};
pub use self::sender::SendClientRequest;
2019-03-26 05:58:01 +01:00
2021-12-04 20:40:47 +01:00
pub(crate) type BoxError = Box<dyn std::error::Error>;