-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathresponse.rs
567 lines (526 loc) · 17.4 KB
/
response.rs
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
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
use futures_io::AsyncWrite;
use futures_lite::{AsyncReadExt, AsyncWriteExt};
use std::convert::TryFrom;
use std::io::ErrorKind;
use std::io::Write;
use crate::event::EventReceiver;
use crate::http_error::HttpError;
use crate::util::{copy_async, copy_chunked_async};
#[cfg(any(feature = "include_dir", feature = "json"))]
use crate::Error;
#[cfg(feature = "include_dir")]
use crate::Request;
use crate::{AsciiString, ContentType, Cookie, EventSender, HeaderList, ResponseBody};
use safina::sync::sync_channel;
use std::fmt::Debug;
use std::sync::Mutex;
#[allow(clippy::module_name_repetitions)]
#[derive(Copy, Clone, Debug, Eq, Hash, Ord, PartialEq, PartialOrd)]
pub enum ResponseKind {
DropConnection,
/// `GetBodyAndReprocess(max_len: u64)`<br>
/// Read the body from the client, but only up to the specified `u64` bytes.
GetBodyAndReprocess(u64),
Normal,
}
#[derive(Eq, PartialEq)]
pub struct Response {
pub kind: ResponseKind,
pub code: u16,
pub content_type: ContentType,
pub headers: HeaderList,
pub body: ResponseBody,
}
impl Response {
#[must_use]
pub fn new(code: u16) -> Self {
Self {
kind: ResponseKind::Normal,
code,
content_type: ContentType::None,
headers: HeaderList::new(),
body: ResponseBody::empty(),
}
}
/// Return this and the server will drop the connection.
#[must_use]
pub fn drop_connection() -> Self {
Self {
kind: ResponseKind::DropConnection,
code: 0,
content_type: ContentType::None,
headers: HeaderList::new(),
body: ResponseBody::empty(),
}
}
/// Return this and the server will read the request body from the client
/// and call the request handler again.
///
/// If the request body is larger than `max_len` bytes, it sends 413 Payload Too Large.
#[must_use]
pub fn get_body_and_reprocess(max_len: u64) -> Self {
Self {
kind: ResponseKind::GetBodyAndReprocess(max_len),
code: 0,
content_type: ContentType::None,
headers: HeaderList::new(),
body: ResponseBody::empty(),
}
}
/// Looks for the requested file in included `dir`.
///
/// Determines the content-type from the file extension.
/// For the list of supported content types, see [`ContentType`].
///
/// When the request path is `"/"`, tries to return the file `/index.html`.
///
/// # Errors
/// Returns a 404 Not Found response if the file is not found in the included dir.
#[cfg(feature = "include_dir")]
// TODO: Change this to accept only GET and HEAD requests.
// TODO: Change this to handle HEAD requests properly.
// TODO: Honor Accept request header.
pub fn include_dir(req: &Request, dir: &'static include_dir::Dir) -> Result<Response, Error> {
let path = req.url.path();
let path = path.strip_prefix('/').unwrap_or(path);
let file = if path.is_empty() {
dir.get_file("index.html")
} else if let Some(file) = dir.get_file(path) {
Some(file)
} else if path.ends_with('/') {
let dir_path = path.trim_end_matches('/');
dir.get_file(format!("{dir_path}/index.html"))
} else if let Some(_dir) = dir.get_dir(path) {
return Ok(Response::redirect_301(format!("/{path}/")));
} else {
None
}
.ok_or_else(|| Error::client_error(Response::not_found_404()))?;
let extension = std::path::Path::new(path)
.extension()
.map_or("", |os_str| os_str.to_str().unwrap_or(""));
let content_type = match extension {
"css" => ContentType::Css,
"csv" => ContentType::Csv,
"gif" => ContentType::Gif,
"htm" | "html" => ContentType::Html,
"js" => ContentType::JavaScript,
"jpg" | "jpeg" => ContentType::Jpeg,
"json" => ContentType::Json,
"md" => ContentType::Markdown,
"pdf" => ContentType::Pdf,
"txt" => ContentType::PlainText,
"png" => ContentType::Png,
"svg" => ContentType::Svg,
_ => ContentType::None,
};
Ok(Response::new(200)
.with_type(content_type)
.with_body(ResponseBody::StaticBytes(file.contents())))
}
#[must_use]
pub fn html(code: u16, body: impl Into<ResponseBody>) -> Self {
Self::new(code).with_type(ContentType::Html).with_body(body)
}
/// # Errors
/// Returns an error when it fails to serialize `v`.
#[cfg(feature = "json")]
pub fn json(code: u16, v: impl serde::Serialize) -> Result<Response, Error> {
let body_vec = serde_json::to_vec(&v)
.map_err(|e| Error::server_error(format!("error serializing response to json: {e}")))?;
Ok(Self::new(code)
.with_type(ContentType::Json)
.with_body(body_vec))
}
#[must_use]
pub fn event_stream() -> (EventSender, Response) {
let (sender, receiver) = sync_channel(50);
(
EventSender(Some(sender)),
Self::new(200)
.with_type(ContentType::EventStream)
.with_body(ResponseBody::EventStream(Mutex::new(EventReceiver(
receiver,
)))),
)
}
#[must_use]
pub fn text(code: u16, body: impl Into<ResponseBody>) -> Self {
Self::new(code)
.with_type(ContentType::PlainText)
.with_body(body)
}
#[must_use]
pub fn ok_200() -> Self {
Response::new(200)
}
#[must_use]
pub fn no_content_204() -> Self {
Response::new(204)
}
/// Tell the client to GET `location`.
///
/// The client should store this redirect.
///
/// # Panics
/// Panics when `location` is not US-ASCII.
#[must_use]
pub fn redirect_301(location: impl AsRef<str>) -> Self {
Response::new(301).with_header("location", location.as_ref().try_into().unwrap())
}
/// Tell the client to GET `location`.
///
/// The client should not store this redirect.
///
/// A PUT or POST handler usually returns this.
///
/// # Panics
/// Panics when `location` is not US-ASCII.
#[must_use]
pub fn redirect_303(location: impl AsRef<str>) -> Self {
Response::new(303).with_header("location", location.as_ref().try_into().unwrap())
}
#[must_use]
pub fn unauthorized_401() -> Self {
Response::new(401)
}
#[must_use]
pub fn forbidden_403() -> Self {
Response::new(401)
}
#[must_use]
pub fn not_found_404() -> Self {
Response::text(404, "not found")
}
/// # Panics
/// Panics when any of `allowed_methods` are not US-ASCII.
#[must_use]
pub fn method_not_allowed_405(allowed_methods: &[&'static str]) -> Self {
Self::new(405).with_header("allow", allowed_methods.join(",").try_into().unwrap())
}
#[must_use]
pub fn length_required_411() -> Self {
Response::text(411, "not accepting streaming uploads")
}
#[must_use]
pub fn payload_too_large_413() -> Self {
Response::text(413, "Uploaded data is too big.")
}
#[must_use]
pub fn unprocessable_entity_422(body: impl Into<String>) -> Self {
let body: String = body.into();
Response::text(422, body)
}
#[must_use]
pub fn too_many_requests_429() -> Self {
Response::text(429, "Too many requests.")
}
#[must_use]
pub fn internal_server_error_500() -> Self {
Response::new(500)
}
#[must_use]
pub fn not_implemented_501() -> Self {
Response::new(501)
}
#[must_use]
pub fn service_unavailable_503() -> Self {
Response::new(503)
}
#[must_use]
pub fn with_body(mut self, b: impl Into<ResponseBody>) -> Self {
self.body = b.into();
self
}
/// Adds a `Cache-Control: max-age=N` header.
///
/// <https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Cache-Control>
#[allow(clippy::missing_panics_doc)]
#[must_use]
pub fn with_max_age_seconds(mut self, seconds: u32) -> Self {
self.headers.add(
"cache-control",
format!("max-age={seconds}").try_into().unwrap(),
);
self
}
/// Adds a `Cache-Control: no-store` header.
///
/// <https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Cache-Control>
#[allow(clippy::missing_panics_doc)]
#[must_use]
pub fn with_no_store(mut self) -> Self {
self.headers
.add("cache-control", "no-store".try_into().unwrap());
self
}
/// Adds a `Set-Cookie` header.
///
/// <https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Set-Cookie>
#[must_use]
pub fn with_set_cookie(mut self, cookie: Cookie) -> Self {
self.headers.add("set-cookie", cookie.into());
self
}
/// Adds a header.
///
/// You can call this multiple times to add multiple headers with the same name.
///
/// The [HTTP spec](https://datatracker.ietf.org/doc/html/rfc7230#section-3.2.4)
/// limits header names to US-ASCII and header values to US-ASCII or ISO-8859-1.
///
/// # Panics
/// Panics when `name` is not US-ASCII.
///
/// # Example
/// ```
/// use servlin::Response;
///
/// # fn example() -> Response {
/// return Response::new(200)
/// .with_header("header1", "value1".to_string().try_into().unwrap());
/// # }
/// ```
#[must_use]
pub fn with_header(mut self, name: impl AsRef<str>, value: AsciiString) -> Self {
self.headers.add(name, value);
self
}
#[must_use]
pub fn with_status(mut self, c: u16) -> Self {
self.code = c;
self
}
#[must_use]
pub fn with_type(mut self, t: ContentType) -> Self {
self.content_type = t;
self
}
#[must_use]
pub fn is_1xx(&self) -> bool {
self.code / 100 == 1
}
#[must_use]
pub fn is_2xx(&self) -> bool {
self.code / 100 == 2
}
#[must_use]
pub fn is_3xx(&self) -> bool {
self.code / 100 == 3
}
#[must_use]
pub fn is_4xx(&self) -> bool {
self.code / 100 == 4
}
#[must_use]
pub fn is_5xx(&self) -> bool {
self.code / 100 == 5
}
#[must_use]
pub fn is_normal(&self) -> bool {
self.kind == ResponseKind::Normal
}
#[must_use]
pub fn is_get_body_and_reprocess(&self) -> bool {
matches!(self.kind, ResponseKind::GetBodyAndReprocess(..))
}
}
impl From<std::io::Error> for Response {
fn from(e: std::io::Error) -> Self {
match e.kind() {
ErrorKind::InvalidData => Response::text(400, "Bad request"),
_ => Response::text(500, "Internal server error"),
}
}
}
impl Debug for Response {
fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> Result<(), core::fmt::Error> {
match self.kind {
ResponseKind::DropConnection => write!(f, "Response(kind=Drop)"),
ResponseKind::GetBodyAndReprocess(max_len) => {
write!(f, "Response(kind=GetBodyAndReprocess({max_len}))")
}
ResponseKind::Normal => {
write!(
f,
"Response({} {}, {:?}, {:?}, {:?})",
self.code,
reason_phrase(self.code),
self.content_type,
self.headers,
self.body
)
}
}
}
}
#[must_use]
pub fn reason_phrase(code: u16) -> &'static str {
// https://developer.mozilla.org/en-US/docs/Web/HTTP/Status
match code {
100 => "Continue",
101 => "Switching Protocols",
102 => "Processing",
103 => "Early Hints",
200 => "OK",
201 => "Created",
202 => "Accepted",
203 => "Non-Authoritative Information",
204 => "No Content",
205 => "Reset Content",
206 => "Partial Content",
207 => "Multi-Status",
208 => "Already Reported",
226 => "IM Used",
300 => "Multiple Choice",
301 => "Moved Permanently",
302 => "Found",
303 => "See Other",
304 => "Not Modified",
307 => "Temporary Redirect",
308 => "Permanent Redirect",
400 => "Bad Request",
401 => "Unauthorized",
402 => "Payment Required ",
403 => "Forbidden",
404 => "Not Found",
405 => "Method Not Allowed",
406 => "Not Acceptable",
407 => "Proxy Authentication Required",
408 => "Request Timeout",
409 => "Conflict",
410 => "Gone",
411 => "Length Required",
412 => "Precondition Failed",
413 => "Payload Too Large",
414 => "URI Too Long",
415 => "Unsupported Media Type",
416 => "Range Not Satisfiable",
417 => "Expectation Failed",
418 => "I'm a teapot",
421 => "Misdirected Request",
422 => "Unprocessable Entity",
423 => "Locked",
424 => "Failed Dependency",
425 => "Too Early ",
426 => "Upgrade Required",
428 => "Precondition Required",
429 => "Too Many Requests",
431 => "Request Header Fields Too Large",
451 => "Unavailable For Legal Reasons",
500 => "Internal Server Error",
501 => "Not Implemented",
502 => "Bad Gateway",
503 => "Service Unavailable",
504 => "Gateway Timeout",
505 => "HTTP Version Not Supported",
506 => "Variant Also Negotiates",
507 => "Insufficient Storage",
508 => "Loop Detected",
510 => "Not Extended",
511 => "Network Authentication Required",
_ => "Response",
}
}
/// # Errors
/// Returns an error when:
/// - `response` is not `Response::Normal`
/// - the connection is closed
/// - we fail to send the response on the connection
/// - the response body is saved in a file and we fail to read the file
#[allow(clippy::module_name_repetitions)]
pub async fn write_http_response(
mut writer: impl AsyncWrite + Unpin,
response: &Response,
close: bool,
) -> Result<(), HttpError> {
//dbg!("write_http_response", &response);
if !response.is_normal() {
return Err(HttpError::UnwritableResponse);
}
// https://datatracker.ietf.org/doc/html/rfc7230#section-3.1.2
// status-line = HTTP-version SP status-code SP reason-phrase CRLF
// status-code = 3DIGIT
// reason-phrase = *( HTAB / SP / VCHAR )
let mut head_bytes: Vec<u8> = format!(
"HTTP/1.1 {} {}\r\n",
response.code,
reason_phrase(response.code)
)
.into_bytes();
if response.content_type != ContentType::None {
if response.headers.get_only("content-type").is_some() {
return Err(HttpError::DuplicateContentTypeHeader);
}
write!(
head_bytes,
"content-type: {}\r\n",
response.content_type.as_str()
)
.unwrap();
}
if close {
write!(head_bytes, "connection: close\r\n",).unwrap();
}
if let Some(body_len) = response.body.len() {
if response.headers.get_only("content-length").is_some() {
return Err(HttpError::DuplicateContentLengthHeader);
}
write!(head_bytes, "content-length: {body_len}\r\n").unwrap();
} else {
if response.headers.get_only("transfer-encoding").is_some() {
return Err(HttpError::DuplicateTransferEncodingHeader);
}
write!(head_bytes, "transfer-encoding: chunked\r\n").unwrap();
}
for header in &response.headers {
// Convert headers from UTF-8 back to ISO-8859-1, with 0xFF for a replacement byte.
write!(head_bytes, "{}: ", header.name).unwrap();
head_bytes.extend(header.value.chars().map(|c| u8::try_from(c).unwrap_or(255)));
head_bytes.extend(b"\r\n");
}
head_bytes.extend(b"\r\n");
//dbg!(escape_ascii(head_bytes.as_slice()));
writer
.write_all(head_bytes.as_slice())
.await
.map_err(|_| HttpError::Disconnected)?;
drop(head_bytes);
match response.body.len() {
Some(0) => {}
Some(body_len) => {
let mut reader = AsyncReadExt::take(
response
.body
.async_reader()
.await
.map_err(HttpError::error_reading_file)?,
body_len,
);
let num_copied = copy_async(&mut reader, &mut writer)
.await
.map_errs(HttpError::error_reading_response_body, |_| {
HttpError::Disconnected
})?;
if num_copied != body_len {
return Err(HttpError::ErrorReadingResponseBody(
ErrorKind::UnexpectedEof,
"body is smaller than expected".to_string(),
));
}
}
None => {
let mut reader = response
.body
.async_reader()
.await
.map_err(HttpError::error_reading_response_body)?;
copy_chunked_async(&mut reader, &mut writer)
.await
.map_errs(HttpError::error_reading_response_body, |_| {
HttpError::Disconnected
})?;
}
}
writer.flush().await.map_err(|_| HttpError::Disconnected)
}