Crates.io | apisdk |
lib.rs | apisdk |
version | 0.0.16 |
source | src |
created_at | 2023-12-18 09:16:33.616859 |
updated_at | 2024-11-18 16:07:56.754103 |
description | An easy-to-use API toolkit for writing HTTP API Clients for Rust. |
homepage | |
repository | https://github.com/zhengcan/apisdk-rs |
max_upload_size | |
id | 1073221 |
size | 203,088 |
An easy-to-use API toolkit for writing HTTP API Clients for Rust.
X-Request-ID
and X-Trace-ID
/X-Span-ID
UrlRewriter
and DnsResolver
to customize URL and API endpointAuthorization
header by using ApiAuthenticator
MockServer
When using reqwest to send API requests to server side, we have to do some common work. Including setting authentication information, parsing request responses, handle exceptions, adding log and tracking information, etc.
For this reason, we often develop some auxiliary functions to achieve the above functions. The design purpose of this crate is to simplify this part of the development work and provide a common design implementation.
Update Cargo.toml
to add this crate as dependency.
[dependencies]
apisdk = { version = "0" }
This crate has several features:
hickory-resolver
(aka. trust-dns-resolver
), and able to use it to do DNS queriesTo define a very simple API, we just need a few lines of code.
use apisdk::{http_api, send, ApiResult};
// Define an API struct
#[http_api("https://www.example.com/api")]
#[derive(Debug, Clone)] // optional
pub struct MyApi;
// Response DTO
#[derive(serde::Deserialize)]
pub struct User {}
impl MyApi {
// Define a function for public use.
// It should return ApiResult<T>, which is an alias for Result<T, ApiError>.
pub async fn get_user(&self, user_id: u64) -> ApiResult<User> {
// Initiate a GET request with the URL path, and wait for the endpoint to be resolved.
let req = self.get(format!("/user/{}", user_id)).await?;
// Send the request to server, and parse it to result.
send!(req).await
}
}
To use the API, just follow these steps.
use apisdk::ApiResult;
async fn foo() -> ApiResult<()> {
// Initiate an API instance with default settings.
// Or use MyApi::builder().build() to generate a customized instance.
let api = MyApi::default();
// Invoke the function to execute HTTP request.
let user = api.get_user(1).await?;
Ok(())
}
http_api
and api_method
macroshttp_api
#[http_api("https://api.site/base")]
api_method
We can use XxxApi::builder()
to get an instance of ApiBuilder
, and call following functions to customize API instance.
with_client
reqwest::ClientBuilder
to customize Clientwith_rewriter
with_resolver
with_authenticator
with_initialiser
& with_middleware
reqwest-middleware
componentswith_log
After that, we should call build()
to create the API instance.
For really simple APIs, we can use XxxApi::default()
to replace XxxApi::builder().build()
.
The API instances provide a series of functions to assist in creating HTTP requests.
async fn request(method: Method, path: impl AsRef<str>) -> ApiResult<RequestBuilder>
async fn head(path: impl AsRef<str>) -> ApiResult<RequestBuilder>
async fn get(path: impl AsRef<str>) -> ApiResult<RequestBuilder>
async fn post(path: impl AsRef<str>) -> ApiResult<RequestBuilder>
async fn put(path: impl AsRef<str>) -> ApiResult<RequestBuilder>
async fn patch(path: impl AsRef<str>) -> ApiResult<RequestBuilder>
async fn delete(path: impl AsRef<str>) -> ApiResult<RequestBuilder>
async fn options(path: impl AsRef<str>) -> ApiResult<RequestBuilder>
async fn trace(path: impl AsRef<str>) -> ApiResult<RequestBuilder>
We can also use the core
field of the API instance to access more low-level functionality.
let api = XxxApi::default();
let req = api.core // an instance of apisdk::ApiCore
.rebase("http://different.host.com/api") // reset the BaseUrl
.build_request(Method::GET, "/path")?;
RequestBuilder
This crate re-export RequestBuilder
from reqwest-middleware
, and provides several useful extensions. We may use req.with_extension()
to apply these extensions.
RequestId
X-Request-ID
TraceId
X-Trace-ID
and/or X-Span-ID
MockServer
send
macrossend
send_json
send_xml
send_form
send_multipart
These macros support following forms.
// Form 1: send and parse response as JSON / XML
let _: Data = send!(req).await?;
// Form 2: send, drop response and return ApiResult<()>
send!(req, ()).await?;
// Form 3: send and return ResponseBody
let _ = send!(req, Body).await?;
// Form 4: send and parse JSON response to Data
let _: Data = send!(req, Json).await?;
// Form 5: send and parse XML response to Data
let _: Data = send!(req, Xml).await?;
// Form 6: send and parse Text response to Data by using FromStr trait
let _: Data = send!(req, Text).await?;
// Form 7: send and parse JSON response to Data
let _ = send!(req, Data).await?;
// Form 8: send and parse JSON response to Data
let _ = send!(req, Json<Data>).await?;
You may check tests
for more examples.