CORS (Cross-Origin Resource Sharing)
Volga provides an easily configurable CORS middleware.
It is included in the full
feature set. However, if you are not using it, you can enable the middleware
feature in your Cargo.toml
to make CORS functionality available:
[dependencies]
volga = { version = "0.5.5", features = ["middleware"] }
Basic Setup
The following example demonstrates a permissive CORS configuration:
use volga::App;
#[tokio::main]
async fn main() -> std::io::Result<()> {
let mut app = App::new()
.with_cors(|cors| cors
.with_any_origin()
.with_any_header()
.with_any_method());
// Enable CORS middleware
app.use_cors();
app.map_post("/", || async {});
app.run().await
}
By default, CORS is disabled. To avoid a runtime panic, you must call with_cors()
before use_cors()
.
If you need a stricter configuration, you can specify allowed origins, headers, and methods:
use volga::{App, http::Method};
#[tokio::main]
async fn main() -> std::io::Result<()> {
let mut app = App::new()
.with_cors(|cors| cors
.with_origins(["http://example.com", "http://example.net"])
.with_headers(["Cache-Control", "Content-Language"])
.with_methods([Method::GET, Method::POST]));
// Enable CORS middleware
app.use_cors();
app.map_post("/", || async {});
app.run().await
}
Warning
If you need to enable credentials using with_credentials(true)
, note that it cannot be used with wildcard origins, headers, or methods for security reasons. These constraints are validated in use_cors()
, which will panic if misconfigured.
A complete example is available here.