1
0
Fork 0
mirror of https://github.com/actix/actix-web.git synced 2024-06-02 13:29:24 +00:00
actix-web/MIGRATION.md

383 lines
9.6 KiB
Markdown
Raw Normal View History

2019-04-06 14:39:20 +00:00
## 1.0
2019-04-11 03:47:28 +00:00
* Resource registration. 1.0 version uses generalized resource
registration via `.service()` method.
instead of
```rust
App.new().resource("/welcome", |r| r.f(welcome))
```
use App's or Scope's `.service()` method. `.service()` method accepts
object that implements `HttpServiceFactory` trait. By default
actix-web provides `Resource` and `Scope` services.
```rust
App.new().service(
web::resource("/welcome")
.route(web::get().to(welcome))
.route(web::post().to(post_handler))
```
* Scope registration.
instead of
```rust
let app = App::new().scope("/{project_id}", |scope| {
scope
.resource("/path1", |r| r.f(|_| HttpResponse::Ok()))
.resource("/path2", |r| r.f(|_| HttpResponse::Ok()))
.resource("/path3", |r| r.f(|_| HttpResponse::MethodNotAllowed()))
});
```
use `.service()` for registration and `web::scope()` as scope object factory.
```rust
let app = App::new().service(
web::scope("/{project_id}")
.service(web::resource("/path1").to(|| HttpResponse::Ok()))
.service(web::resource("/path2").to(|| HttpResponse::Ok()))
.service(web::resource("/path3").to(|| HttpResponse::MethodNotAllowed()))
);
```
* `.f()`, `.a()` and `.h()` handler registration methods have been removed.
Use `.to()` for handlers and `.to_async()` for async handlers. Handler function
must use extractors.
instead of
```rust
App.new().resource("/welcome", |r| r.f(welcome))
```
use App's `to()` or `to_async()` methods
```rust
App.new().service(web::resource("/welcome").to(welcome))
```
2019-04-06 14:39:20 +00:00
* `State` is now `Data`. You register Data during the App initialization process
and then access it from handlers either using a Data extractor or using
HttpRequest's api.
instead of
```rust
App.with_state(T)
```
use App's `data` method
```rust
App.new()
.data(T)
```
and either use the Data extractor within your handler
```rust
use actix_web::web::Data;
fn endpoint_handler(Data<T>)){
...
}
```
.. or access your Data element from the HttpRequest
```rust
fn endpoint_handler(req: HttpRequest) {
let data: Option<Data<T>> = req.app_data::<T>();
}
```
2019-04-11 03:51:57 +00:00
* AsyncResponder is removed.
2019-04-06 14:39:20 +00:00
instead of
```rust
use actix_web::AsyncResponder;
fn endpoint_handler(...) -> impl Future<Item=HttpResponse, Error=Error>{
...
.responder()
}
```
.. simply omit AsyncResponder and the corresponding responder() finish method
2019-04-11 03:47:28 +00:00
* Middleware
instead of
```rust
let app = App::new()
.middleware(middleware::Logger::default())
```
use `.wrap()` method
```rust
let app = App::new()
.wrap(middleware::Logger::default())
.route("/index.html", web::get().to(index));
```
* `HttpRequest::body()`, `HttpRequest::urlencoded()`, `HttpRequest::json()`, `HttpRequest::multipart()`
method have been removed. Use `Bytes`, `String`, `Form`, `Json`, `Multipart` extractors instead.
instead if
```rust
fn index(req: &HttpRequest) -> Responder {
req.body()
.and_then(|body| {
...
})
}
2019-04-11 03:51:57 +00:00
use
2019-04-11 03:47:28 +00:00
```rust
fn index(body: Bytes) -> Responder {
...
}
```
* StaticFiles and NamedFile has been move to separate create.
instead of `use actix_web::fs::StaticFile`
use `use actix_files::Files`
instead of `use actix_web::fs::Namedfile`
use `use actix_files::NamedFile`
* Multipart has been move to separate create.
instead of `use actix_web::multipart::Multipart`
use `use actix_multipart::Multipart`
2019-04-11 03:51:57 +00:00
* Request/response compression/decompression is not enabled by default.
To enable use `App::enable_encoding()` method.
* `actix_web::server` module has been removed. To start http server use `actix_web::HttpServer` type
* Actors support have been moved to `actix-web-actors` crate
2019-04-06 14:39:20 +00:00
## 0.7.15
* The `' '` character is not percent decoded anymore before matching routes. If you need to use it in
your routes, you should use `%20`.
instead of
```rust
fn main() {
let app = App::new().resource("/my index", |r| {
r.method(http::Method::GET)
.with(index);
});
}
```
use
```rust
fn main() {
let app = App::new().resource("/my%20index", |r| {
r.method(http::Method::GET)
.with(index);
});
}
```
* If you used `AsyncResult::async` you need to replace it with `AsyncResult::future`
2018-08-23 16:39:11 +00:00
## 0.7.4
* `Route::with_config()`/`Route::with_async_config()` always passes configuration objects as tuple
even for handler with one parameter.
2018-06-02 16:01:51 +00:00
## 0.7
2018-07-21 08:00:50 +00:00
* `HttpRequest` does not implement `Stream` anymore. If you need to read request payload
use `HttpMessage::payload()` method.
instead of
```rust
fn index(req: HttpRequest) -> impl Responder {
req
.from_err()
.fold(...)
....
}
```
use `.payload()`
```rust
fn index(req: HttpRequest) -> impl Responder {
req
.payload() // <- get request payload stream
.from_err()
.fold(...)
....
}
```
2018-06-02 16:28:32 +00:00
* [Middleware](https://actix.rs/actix-web/actix_web/middleware/trait.Middleware.html)
2018-07-06 09:00:14 +00:00
trait uses `&HttpRequest` instead of `&mut HttpRequest`.
2018-06-02 16:01:51 +00:00
* Removed `Route::with2()` and `Route::with3()` use tuple of extractors instead.
2018-06-02 16:28:32 +00:00
instead of
```rust
fn index(query: Query<..>, info: Json<MyStruct) -> impl Responder {}
```
2018-06-02 18:45:37 +00:00
use tuple of extractors and use `.with()` for registration:
2018-06-02 16:28:32 +00:00
```rust
fn index((query, json): (Query<..>, Json<MyStruct)) -> impl Responder {}
```
2018-06-02 16:01:51 +00:00
* `Handler::handle()` uses `&self` instead of `&mut self`
2018-07-06 09:00:14 +00:00
* `Handler::handle()` accepts reference to `HttpRequest<_>` instead of value
2018-06-02 16:28:32 +00:00
* Removed deprecated `HttpServer::threads()`, use
[HttpServer::workers()](https://actix.rs/actix-web/actix_web/server/struct.HttpServer.html#method.workers) instead.
2018-06-02 16:01:51 +00:00
2018-06-10 17:24:34 +00:00
* Renamed `client::ClientConnectorError::Connector` to
`client::ClientConnectorError::Resolver`
2018-06-02 16:01:51 +00:00
2018-06-21 05:47:01 +00:00
* `Route::with()` does not return `ExtractorConfig`, to configure
extractor use `Route::with_config()`
instead of
```rust
fn main() {
let app = App::new().resource("/index.html", |r| {
r.method(http::Method::GET)
.with(index)
.limit(4096); // <- limit size of the payload
});
}
```
use
```rust
fn main() {
let app = App::new().resource("/index.html", |r| {
r.method(http::Method::GET)
.with_config(index, |cfg| { // <- register handler
cfg.limit(4096); // <- limit size of the payload
})
});
}
```
* `Route::with_async()` does not return `ExtractorConfig`, to configure
extractor use `Route::with_async_config()`
2018-06-02 16:01:51 +00:00
2018-06-02 16:25:11 +00:00
## 0.6
2018-04-26 15:01:08 +00:00
2018-05-09 01:48:09 +00:00
* `Path<T>` extractor return `ErrorNotFound` on failure instead of `ErrorBadRequest`
2018-04-26 15:01:08 +00:00
* `ws::Message::Close` now includes optional close reason.
`ws::CloseCode::Status` and `ws::CloseCode::Empty` have been removed.
2018-05-01 20:15:35 +00:00
* `HttpServer::threads()` renamed to `HttpServer::workers()`.
* `HttpServer::start_ssl()` and `HttpServer::start_tls()` deprecated.
Use `HttpServer::bind_ssl()` and `HttpServer::bind_tls()` instead.
* `HttpRequest::extensions()` returns read only reference to the request's Extension
`HttpRequest::extensions_mut()` returns mutable reference.
* Instead of
`use actix_web::middleware::{
CookieSessionBackend, CookieSessionError, RequestSession,
Session, SessionBackend, SessionImpl, SessionStorage};`
use `actix_web::middleware::session`
`use actix_web::middleware::session{CookieSessionBackend, CookieSessionError,
RequestSession, Session, SessionBackend, SessionImpl, SessionStorage};`
2018-05-02 00:19:15 +00:00
* `FromRequest::from_request()` accepts mutable reference to a request
* `FromRequest::Result` has to implement `Into<Reply<Self>>`
2018-05-04 20:38:17 +00:00
* [`Responder::respond_to()`](
https://actix.rs/actix-web/actix_web/trait.Responder.html#tymethod.respond_to)
is generic over `S`
* Use `Query` extractor instead of HttpRequest::query()`.
2018-05-02 13:28:38 +00:00
2018-05-02 13:30:06 +00:00
```rust
fn index(q: Query<HashMap<String, String>>) -> Result<..> {
...
}
```
or
2018-05-02 13:28:38 +00:00
```rust
let q = Query::<HashMap<String, String>>::extract(req);
```
* Websocket operations are implemented as `WsWriter` trait.
you need to use `use actix_web::ws::WsWriter`
2018-04-26 15:01:08 +00:00
2018-06-02 16:25:11 +00:00
## 0.5
2018-04-11 23:46:21 +00:00
* `HttpResponseBuilder::body()`, `.finish()`, `.json()`
methods return `HttpResponse` instead of `Result<HttpResponse>`
2018-04-11 23:49:45 +00:00
* `actix_web::Method`, `actix_web::StatusCode`, `actix_web::Version`
2018-04-11 23:46:21 +00:00
moved to `actix_web::http` module
* `actix_web::header` moved to `actix_web::http::header`
* `NormalizePath` moved to `actix_web::http` module
2018-04-11 23:53:27 +00:00
* `HttpServer` moved to `actix_web::server`, added new `actix_web::server::new()` function,
shortcut for `actix_web::server::HttpServer::new()`
2018-04-11 23:46:21 +00:00
2018-04-11 23:53:27 +00:00
* `DefaultHeaders` middleware does not use separate builder, all builder methods moved to type itself
2018-04-11 23:46:21 +00:00
2018-04-11 23:53:27 +00:00
* `StaticFiles::new()`'s show_index parameter removed, use `show_files_listing()` method instead.
2018-04-11 23:46:21 +00:00
* `CookieSessionBackendBuilder` removed, all methods moved to `CookieSessionBackend` type
2018-04-11 23:53:27 +00:00
* `actix_web::httpcodes` module is deprecated, `HttpResponse::Ok()`, `HttpResponse::Found()` and other `HttpResponse::XXX()`
functions should be used instead
2018-04-11 23:46:21 +00:00
* `ClientRequestBuilder::body()` returns `Result<_, actix_web::Error>`
2018-04-11 23:53:27 +00:00
instead of `Result<_, http::Error>`
2018-04-11 23:46:21 +00:00
* `Application` renamed to a `App`
* `actix_web::Reply`, `actix_web::Resource` moved to `actix_web::dev`