salvo-oapi 0.91.1

OpenApi support for Salvo web framework
Documentation
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
Enhanced of [handler][handler] for generate OpenAPI documentation.

Macro accepts set of attributes that can be used to configure and override default values what are resolved automatically.

You can use the Rust's own `#[deprecated]` attribute on functions to mark it as deprecated and it will
reflect to the generated OpenAPI spec. Only **parameters** has a special **deprecated** attribute to define them as deprecated.

`#[deprecated]` attribute supports adding additional details such as a reason and or since version but this is not supported in
OpenAPI. OpenAPI has only a boolean flag to determine deprecation. While it is totally okay to declare deprecated with reason
`#[deprecated  = "There is better way to do this"]` the reason would not render in OpenAPI spec.

Doc comment at decorated function will be used for _`description`_ and _`summary`_ of the path.
First line of the doc comment will be used as the _`summary`_ while the remaining lines will be
used as _`description`_.
```
/// This is a summary of the operation
///
/// The rest of the doc comment will be included to operation description.
#[salvo_oapi::endpoint()]
fn endpoint() {}
```

# Endpoint Attributes

* `operation_id = ...` Unique operation id for the endpoint. By default this is mapped to function name.
  The operation_id can be any "valid expression (e.g. string literals, macro invocations, variables) so long
  as its result can be converted to a `String` using `String::from`.

* `tags(...)` Can be used to group operations. Operations with same tag are grouped together. By default
  this is derived from the handler that is given to [`OpenApi`][openapi].

* `request_body = ... | request_body(...)` Defining request body indicates that the request is expecting request body within
  the performed request.

* `status_codes(...)` Filter responses with these status codes, if status code is not exists in this list, the response will ignored.

* `responses(...)` Slice of responses the endpoint is going to possibly return to the caller.

* `parameters(...)` Slice of parameters that the endpoint accepts.

* `security(...)` List of [`SecurityRequirement`][security]s local to the path operation.

# Security Attributes

To configure security requirements, you need to add one or more security schemes when creating an `OpenApi` object,
as indicated in the example:

```rust
use salvo_oapi::security::{Http, HttpAuthScheme};
use salvo_oapi::{OpenApi, SecurityScheme};

#[tokio::main]
async fn main() {
    let doc = OpenApi::new("test", "0.1")
        .add_security_scheme(
            "bearer",
            SecurityScheme::Http(Http::new(HttpAuthScheme::Bearer).bearer_format("JSON")));
}
```

And, accordingly, when using the `endpoint` macro, specify the scheme:

```rust
use salvo_oapi::endpoint;

#[endpoint(security(["bearer" = ["bearer"]]))]
pub async fn authenticated_action() {}
```

# Request Body Attributes

**Simple format definition by `request_body = ...`**
* _`request_body = Type`_, _`request_body = inline(Type)`_ or _`request_body = ref("...")`_.
  The given _`Type`_ can be any Rust type that is JSON parseable. It can be Option, Vec or Map etc.
  With _`inline(...)`_ the schema will be inlined instead of a referenced which is the default for
  [`ToSchema`][to_schema] types. _`ref("./external.json")`_ can be used to reference external
  json file for body schema.

**Advanced format definition by `request_body(...)`**
* `content = ...` Can be _`content = Type`_, _`content = inline(Type)`_ or _`content = ref("...")`_. The
  given _`Type`_ can be any Rust type that is JSON parseable. It can be Option, Vec
  or Map etc. With _`inline(...)`_ the schema will be inlined instead of a referenced
  which is the default for [`ToSchema`][to_schema] types. _`ref("./external.json")`_
  can be used to reference external json file for body schema.

* `description = "..."` Define the description for the request body object as str.

* `content_type = "..."` Can be used to override the default behavior of auto resolving the content type
  from the `content` attribute. If defined the value should be valid content type such as
  _`application/json`_. By default the content type is _`text/plain`_ for
  [primitive Rust types][primitive], `application/octet-stream` for _`[u8]`_ and
  _`application/json`_ for struct and complex enum types.

* `example = ...` Can be _`json!(...)`_. _`json!(...)`_ should be something that
  _`serde_json::json!`_ can parse as a _`serde_json::Value`_.

* `examples(...)` Define multiple examples for single request body. This attribute is mutually
  exclusive to the _`example`_ attribute and if both are defined this will override the _`example`_.
  This has same syntax as _`examples(...)`_ in [Response Attributes]#response-attributes
  _examples(...)_

_**Example request body definitions.**_
```text
 request_body(content = String, description = "Xml as string request", content_type = "text/xml"),
 request_body = Pet,
 request_body = Option<[Pet]>,
```

# Response Attributes

* `status_code = ...` Is either a valid http status code integer. E.g. _`200`_ or a string value representing
  a range such as _`"4XX"`_ or `"default"` or a valid _`http::status::StatusCode`_.
  _`StatusCode`_ can either be use path to the status code or _status code_ constant directly.

* `description = "..."` Define description for the response as str.

* `body = ...` Optional response body object type. When left empty response does not expect to send any
  response body. Can be _`body = Type`_, _`body = inline(Type)`_, or _`body = ref("...")`_.
  The given _`Type`_ can be any Rust type that is JSON parseable. It can be Option, Vec or Map etc.
  With _`inline(...)`_ the schema will be inlined instead of a referenced which is the default for
  [`ToSchema`][to_schema] types. _`ref("./external.json")`_
  can be used to reference external json file for body schema.

* `content_type = "..." | content_type = [...]` Can be used to override the default behavior of auto resolving the content type
  from the `body` attribute. If defined the value should be valid content type such as
  _`application/json`_. By default the content type is _`text/plain`_ for
  [primitive Rust types][primitive], `application/octet-stream` for _`[u8]`_ and
  _`application/json`_ for struct and complex enum types.
  Content type can also be slice of **content_type** values if the endpoint support returning multiple
  response content types. E.g _`["application/json", "text/xml"]`_ would indicate that endpoint can return both
  _`json`_ and _`xml`_ formats. **The order** of the content types define the default example show first in
  the Swagger UI. Swagger UI will use the first _`content_type`_ value as a default example.

* `headers(...)` Slice of response headers that are returned back to a caller.

* `example = ...` Can be _`json!(...)`_. _`json!(...)`_ should be something that
  _`serde_json::json!`_ can parse as a _`serde_json::Value`_.

* `response = ...` Type what implements [`ToResponse`][to_response_trait] trait. This can alternatively be used to
  define response attributes. _`response`_ attribute cannot co-exist with other than _`status_code`_ attribute.

* `content((...), (...))` Can be used to define multiple return types for single response status code. Supported format for single
  _content_ is `(content_type = response_body, example = "...", examples(...))`. _`example`_
  and _`examples`_ are optional arguments. Examples attribute behaves exactly same way as in
  the response and is mutually exclusive with the example attribute.

* `examples(...)` Define multiple examples for single response. This attribute is mutually
  exclusive to the _`example`_ attribute and if both are defined this will override the _`example`_.
  
* `links(...)` Define a map of operations links that can be followed from the response.
  
   ## Response `examples(...)` syntax
  
   * `name = ...` This is first attribute and value must be literal string.
   * `summary = ...` Short description of example. Value must be literal string.
   * `description = ...` Long description of example. Attribute supports markdown for rich text
     representation. Value must be literal string.
   * `value = ...` Example value. It must be _`json!(...)`_. _`json!(...)`_ should be something that
     _`serde_json::json!`_ can parse as a _`serde_json::Value`_.
   * `external_value = ...` Define URI to literal example value. This is mutually exclusive to
     the _`value`_ attribute. Value must be literal string.
  
     _**Example of example definition.**_
    ```text
     ("John" = (summary = "This is John", value = json!({"name": "John"})))
    ```

## Response `links(...)` syntax

* `operation_ref = ...` Define a relative or absolute URI reference to an OAS operation. This field is
  mutually exclusive of the _`operation_id`_ field, and **must** point to an [Operation Object][operation].
  Value can be be [`str`] or an expression such as [`include_str!`][include_str] or static
  [`const`][const] reference.

* `operation_id = ...` Define the name of an existing, resolvable OAS operation, as defined with a unique
  _`operation_id`_. This field is mutually exclusive of the _`operation_ref`_ field.
  Value can be be [`str`] or an expression such as [`include_str!`][include_str] or static
  [`const`][const] reference.

* `parameters(...)` A map representing parameters to pass to an operation as specified with _`operation_id`_
  or identified by _`operation_ref`_. The key is parameter name to be used and value can
  be any value supported by JSON or an [expression][expression] e.g. `$path.id`
    * `name = ...` Define name for the parameter.
      Value can be be [`str`] or an expression such as [`include_str!`][include_str] or static
      [`const`][const] reference.
    * `value` = Any value that can be supported by JSON or an [expression][expression].

    _**Example of parameters syntax:**_
    ```text
    parameters(
         ("name" = value),
         ("name" = value)
    ),
    ```

* `request_body = ...` Define a literal value or an [expression][expression] to be used as request body when
  operation is called

* `description = ...` Define description of the link. Value supports Markdown syntax.Value can be be [`str`] or
  an expression such as [`include_str!`][include_str] or static [`const`][const] reference.

* `server(...)` Define [Server][server] object to be used by the target operation.

**Links syntax example:** See the full example below in [examples](#examples).
```text
responses(
    (status = 200, description = "success response",
        links(
            ("link_name" = (
                operation_id = "test_links",
                parameters(("key" = "value"), ("json_value" = json!(1))),
                request_body = "this is body",
                server(url = "http://localhost")
            ))
        )
    )
)

**Minimal response format:**
```text
responses(
    (status_code = 200, description = "success response"),
    (status_code = 404, description = "resource missing"),
    (status_code = "5XX", description = "server error"),
    (status_code = StatusCode::INTERNAL_SERVER_ERROR, description = "internal server error"),
    (status_code = IM_A_TEAPOT, description = "happy easter")
)
```

**More complete Response:**
```text
responses(
    (status_code = 200, description = "Success response", body = Pet, content_type = "application/json",
        headers(...),
        example = json!({"id": 1, "name": "bob the cat"})
    )
)
```

**Response with multiple response content types:**
```text
responses(
    (status_code = 200, description = "Success response", body = Pet, content_type = ["application/json", "text/xml"])
)
```

**Multiple response return types with _`content(...)`_ attribute:**

_**Define multiple response return types for single response status code with their own example.**_
```text
responses(
   (status_code = 200, content(
           ("application/vnd.user.v1+json" = User, example = json!(User {id: "id".to_string()})),
           ("application/vnd.user.v2+json" = User2, example = json!(User2 {id: 2}))
       )
   )
)
```

### Using `ToResponse` for reusable responses

_**`ReusableResponse` must be a type that implements [`ToResponse`][to_response_trait].**_
```text
responses(
    (status_code = 200, response = ReusableResponse)
)
```

_**[`ToResponse`][to_response_trait] can also be inlined to the responses map.**_
```text
responses(
    (status_code = 200, response = inline(ReusableResponse))
)
```

## Responses from `ToResponses`

_**Responses for a path can be specified with one or more types that implement
[`ToResponses`][to_responses_trait].**_
```text
responses(MyResponse)
```

# Response Header Attributes

* `name` Name of the header. E.g. _`x-csrf-token`_

* `type` Additional type of the header value. Can be `Type` or `inline(Type)`.
  The given _`Type`_ can be any Rust type that is JSON parseable. It can be Option, Vec or Map etc.
  With _`inline(...)`_ the schema will be inlined instead of a referenced which is the default for
  [`ToSchema`][to_schema] types. **Reminder!** It's up to the user to use valid type for the
  response header.

* `description = "..."` Can be used to define optional description for the response header as str.

**Header supported formats:**

```text
("x-csrf-token"),
("x-csrf-token" = String, description = "New csrf token"),
```

# Params Attributes

The list of attributes inside the `parameters(...)` attribute can take two forms: [Tuples](#tuples) or [ToParameters
Type](#intoparams-type).

## Tuples

In the tuples format, parameters are specified using the following attributes inside a list of
tuples separated by commas:

* `name` _**Must be the first argument**_. Define the name for parameter.

* `parameter_type` Define possible type for the parameter. Can be `Type` or `inline(Type)`.
  The given _`Type`_ can be any Rust type that is JSON parseable. It can be Option, Vec or Map etc.
  With _`inline(...)`_ the schema will be inlined instead of a referenced which is the default for
  [`ToSchema`][to_schema] types. Parameter type is placed after `name` with
  equals sign E.g. _`"id" = String`_

* `in` _**Must be placed after name or parameter_type**_. Define the place of the parameter.
  This must be one of the variants of [`parameter::ParameterIn`][in_enum].
  E.g. _`Path, Query, Header, Cookie`_

* `deprecated` Define whether the parameter is deprecated or not. Can optionally be defined
  with explicit `bool` value as _`deprecated = bool`_.

* `description = "..."` Define possible description for the parameter as str.

* `style = ...` Defines how parameters are serialized by [`ParameterStyle`][style]. Default values are based on _`in`_ attribute.

* `explode` Defines whether new _`parameter=value`_ is created for each parameter within _`object`_ or _`array`_.

* `allow_reserved` Defines whether reserved characters _`:/?#[]@!$&'()*+,;=`_ is allowed within value.

* `example = ...` Can method reference or _`json!(...)`_. Given example
  will override any example in underlying parameter type.

##### Parameter type attributes

These attributes supported when _`parameter_type`_ is present. Either by manually providing one
or otherwise resolved e.g from path macro argument when _`yaml`_ crate feature is
enabled.

* `format = ...` May either be variant of the [`KnownFormat`][known_format] enum, or otherwise
  an open value as a string. By default the format is derived from the type of the property
  according OpenApi spec.

* `write_only` Defines property is only used in **write** operations *POST,PUT,PATCH* but not in *GET*

* `read_only` Defines property is only used in **read** operations *GET* but not in *POST,PUT,PATCH*

* `nullable` Defines property is nullable (note this is different to non-required).

* `multiple_of = ...` Can be used to define multiplier for a value. Value is considered valid
  division will result an `integer`. Value must be strictly above _`0`_.

* `maximum = ...` Can be used to define inclusive upper bound to a `number` value.

* `minimum = ...` Can be used to define inclusive lower bound to a `number` value.

* `exclusive_maximum = ...` Can be used to define exclusive upper bound to a `number` value.

* `exclusive_minimum = ...` Can be used to define exclusive lower bound to a `number` value.

* `max_length = ...` Can be used to define maximum length for `string` types.

* `min_length = ...` Can be used to define minimum length for `string` types.

* `pattern = ...` Can be used to define valid regular expression in _ECMA-262_ dialect the field value must match.

* `max_items = ...` Can be used to define maximum items allowed for `array` fields. Value must
  be non-negative integer.

* `min_items = ...` Can be used to define minimum items allowed for `array` fields. Value must
  be non-negative integer.

##### Parameter Formats
```test
("name" = ParameterType, ParameterIn, ...)
("name", ParameterIn, ...)
```

**For example:**

```text
parameters(
    ("limit" = i32, Query),
    ("x-custom-header" = String, Header, description = "Custom header"),
    ("id" = String, Path, deprecated, description = "Pet database id"),
    ("name", Path, deprecated, description = "Pet name"),
    (
        "value" = inline(Option<[String]>),
        Query,
        description = "Value description",
        style = Form,
        allow_reserved,
        deprecated,
        explode,
        example = json!(["Value"])),
        max_length = 10,
        min_items = 1
    )
)
```

## ToParameters Type

In the ToParameters parameters format, the parameters are specified using an identifier for a type
that implements [`ToParameters`][to_parameters]. See [`ToParameters`][to_parameters] for an
example.

```text
parameters(MyParameters)
```

**Note!** that `MyParameters` can also be used in combination with the [tuples
representation](#tuples) or other structs.
```text
parameters(
    MyParameters1,
    MyParameters2,
    ("id" = String, Path, deprecated, description = "Pet database id"),
)
```


_**More minimal example with the defaults.**_
```
# use salvo_core::prelude::*;
# use salvo_oapi::ToSchema;
# #[derive(ToSchema, Extractible, serde::Deserialize, serde::Serialize, Debug)]
# struct Pet {
#    id: u64,
#    name: String,
# }
#
#[salvo_oapi::endpoint(
   request_body = Pet,
   responses(
        (status_code = 200, description = "Pet stored successfully", body = Pet,
            headers(
                ("x-cache-len", description = "Cache length")
            )
        ),
   ),
   parameters(
     ("x-csrf-token", Header, description = "Current csrf token of user"),
   )
)]
fn post_pet(res: &mut Response) {
    res.render(Json(Pet {
        id: 4,
        name: "bob the cat".to_string(),
    }));
}
```

_**Use of Rust's own `#[deprecated]` attribute will reflect to the generated OpenAPI spec and mark this operation as deprecated.**_
```
# use serde_json::json;
# use salvo_core::prelude::*;
# use salvo_oapi::{endpoint, extract::PathParam};
#[endpoint(
    responses(
        (status_code = 200, description = "Pet found from database")
    ),
    parameters(
        ("id", description = "Pet id"),
    )
)]
#[deprecated]
async fn get_pet_by_id(id: PathParam<i32>, res: &mut Response) {
    let json = json!({ "pet": format!("{:?}", id.into_inner())});
    res.render(Json(json))
}
```

_**Example with multiple return types**_
```
# use salvo_core::prelude::*;
# use salvo_oapi::ToSchema;
# trait User {}
# #[derive(ToSchema)]
# struct User1 {
#   id: String
# }
# #[derive(ToSchema)]
# struct User2 {
#   id: String
# }
# impl User for User1 {}
#[salvo_oapi::endpoint(
    responses(
        (status_code = 200, content(
                ("application/vnd.user.v1+json" = User1, example = json!({"id": "id".to_string()})),
                ("application/vnd.user.v2+json" = User2, example = json!({"id": 2}))
            )
        )
    )
)]
async fn get_user() {
}
````

_**Example with multiple examples on single response.**_
```rust
# use salvo_core::prelude::*;
# use salvo_oapi::ToSchema;

# #[derive(serde::Serialize, serde::Deserialize, ToSchema)]
# struct User {
#   name: String
# }
#[salvo_oapi::endpoint(
    responses(
        (status_code = 200, body = User,
            examples(
                ("Demo" = (summary = "This is summary", description = "Long description",
                            value = json!(User{name: "Demo".to_string()}))),
                ("John" = (summary = "Another user", value = json!({"name": "John"})))
             )
        )
    )
)]
async fn get_user() -> Json<User> {
  Json(User {name: "John".to_string()})
}
```

[handler]: ../salvo_core/attr.handler.html
[in_enum]: enum.ParameterIn.html
[path]: trait.Path.html
[to_schema]: trait.ToSchema.html
[openapi]: derive.OpenApi.html
[security]: security/struct.SecurityRequirement.html
[security_scheme]: security/struct.SecuritySchema.html
[primitive]: https://doc.rust-lang.org/std/primitive/index.html
[to_parameters]: trait.ToParameters.html
[style]: enum.ParameterStyle.html
[to_responses_trait]: trait.ToResponses.html
[to_parameters_derive]: derive.ToParameters.html
[to_response_trait]: trait.ToResponse.html
[known_format]: enum.KnownFormat.html
[xml]: struct.Xml.html
[const]: https://doc.rust-lang.org/std/keyword.const.html
[expression]: https://spec.openapis.org/oas/latest.html#runtime-expressions