1use inquire::error::CustomUserError;
30use inquire::error::InquireResult;
31use inquire::validator::ErrorMessage;
32use inquire::validator::Validation;
33use inquire::InquireError;
34use inquire::Select;
35use inquire::Text;
36use qlog::events::quic::ErrorSpace;
37use quiche::ConnectionError;
38
39use crate::actions::h3::Action;
40use crate::config::Config;
41use crate::prompts::h3;
42use crate::prompts::h3::headers::prompt_push_promise;
43use crate::StreamIdAllocator;
44
45use std::cell::RefCell;
46
47use quiche;
48
49use self::stream::prompt_fin_stream;
50use self::wait::prompt_wait;
51
52#[derive(Clone, Copy, Debug, PartialEq, Eq)]
54pub enum Error {
55 InternalError,
56 BufferTooShort,
57}
58
59impl std::convert::From<octets::BufferTooShortError> for Error {
60 fn from(_err: octets::BufferTooShortError) -> Self {
61 Error::BufferTooShort
62 }
63}
64
65pub type Result<T> = std::result::Result<T, Error>;
69
70type SuggestionResult<T> = std::result::Result<T, CustomUserError>;
74
75pub type PromptedFrame = (u64, quiche::h3::frame::Frame);
77
78thread_local! {static CONNECTION_IDLE_TIMEOUT: RefCell<u64> = const { RefCell::new(0) }}
79
80const HEADERS: &str = "headers";
82const HEADERS_NO_PSEUDO: &str = "headers_no_pseudo";
83const DATA: &str = "data";
84const SETTINGS: &str = "settings";
85const PUSH_PROMISE: &str = "push_promise";
86const CANCEL_PUSH: &str = "cancel_push";
87const GOAWAY: &str = "goaway";
88const MAX_PUSH_ID: &str = "max_push_id";
89const PRIORITY_UPDATE: &str = "priority_update";
90const GREASE: &str = "grease";
91const EXTENSION: &str = "extension_frame";
92const OPEN_UNI_STREAM: &str = "open_uni_stream";
93const RESET_STREAM: &str = "reset_stream";
94const STOP_SENDING: &str = "stop_sending";
95const CONNECTION_CLOSE: &str = "connection_close";
96const STREAM_BYTES: &str = "stream_bytes";
97
98const COMMIT: &str = "commit";
99const FLUSH_PACKETS: &str = "flush_packets";
100const WAIT: &str = "wait";
101const QUIT: &str = "quit";
102
103const YES: &str = "Yes";
104const NO: &str = "No";
105
106const ESC_TO_RET: &str = "ESC to return to actions";
107const STREAM_ID_PROMPT: &str = "stream ID:";
108const EMPTY_PICKS: &str = "empty picks next available ID";
109const AUTO_PICK: &str = "autopick StreamID";
110const PUSH_ID_PROMPT: &str = "push ID:";
111
112enum PromptOutcome {
113 Action(Action),
114 Repeat,
115 Commit,
116 Clear,
117}
118
119pub struct Prompter {
121 host_port: String,
122 bidi_sid_alloc: StreamIdAllocator,
123 uni_sid_alloc: StreamIdAllocator,
124}
125
126impl Prompter {
127 pub fn with_config(config: &Config) -> Self {
129 CONNECTION_IDLE_TIMEOUT.with(|v| *v.borrow_mut() = config.idle_timeout);
130
131 Self {
132 host_port: config.host_port.clone(),
133 bidi_sid_alloc: StreamIdAllocator { id: 0 },
134 uni_sid_alloc: StreamIdAllocator { id: 2 },
135 }
136 }
137
138 fn handle_action(&mut self, action: &str) -> PromptOutcome {
139 let res = match action {
140 HEADERS | HEADERS_NO_PSEUDO => {
141 let raw = action == HEADERS_NO_PSEUDO;
142 headers::prompt_headers(
143 &mut self.bidi_sid_alloc,
144 &self.host_port,
145 raw,
146 )
147 },
148
149 DATA => prompt_data(),
150 SETTINGS => settings::prompt_settings(),
151 OPEN_UNI_STREAM =>
152 stream::prompt_open_uni_stream(&mut self.uni_sid_alloc),
153 RESET_STREAM => stream::prompt_reset_stream(),
154 STOP_SENDING => stream::prompt_stop_sending(),
155 GREASE => prompt_grease(),
156 EXTENSION => prompt_extension(),
157 GOAWAY => prompt_goaway(),
158 MAX_PUSH_ID => prompt_max_push_id(),
159 CANCEL_PUSH => prompt_cancel_push(),
160 PUSH_PROMISE => prompt_push_promise(),
161 PRIORITY_UPDATE => priority::prompt_priority(),
162 CONNECTION_CLOSE => prompt_connection_close(),
163 STREAM_BYTES => prompt_stream_bytes(),
164 FLUSH_PACKETS => return PromptOutcome::Action(Action::FlushPackets),
165 COMMIT => return PromptOutcome::Commit,
166 WAIT => prompt_wait(),
167 QUIT => return PromptOutcome::Clear,
168
169 _ => {
170 println!("error: unknown action {}", action);
171 return PromptOutcome::Repeat;
172 },
173 };
174
175 match res {
176 Ok(action) => PromptOutcome::Action(action),
177 Err(e) =>
178 if handle_action_loop_error(e) {
179 PromptOutcome::Commit
180 } else {
181 PromptOutcome::Repeat
182 },
183 }
184 }
185
186 pub fn prompt(&mut self) -> Vec<Action> {
193 let mut actions = vec![];
194
195 loop {
196 println!();
197
198 let action = match prompt_action() {
199 Ok(v) => v,
200 Err(inquire::InquireError::OperationCanceled) |
201 Err(inquire::InquireError::OperationInterrupted) =>
202 return actions,
203 Err(e) => {
204 println!("Unexpected error while determining action: {}", e);
205 return actions;
206 },
207 };
208
209 match self.handle_action(&action) {
210 PromptOutcome::Action(action) => actions.push(action),
211 PromptOutcome::Repeat => continue,
212 PromptOutcome::Commit => return actions,
213 PromptOutcome::Clear => return vec![],
214 }
215 }
216 }
217}
218
219fn handle_action_loop_error(err: InquireError) -> bool {
220 match err {
221 inquire::InquireError::OperationCanceled |
222 inquire::InquireError::OperationInterrupted => false,
223
224 _ => {
225 println!("Unexpected error: {}", err);
226 true
227 },
228 }
229}
230
231fn prompt_action() -> InquireResult<String> {
232 let name = Text::new(
233 "Select an action to queue. `Commit` ends selection and flushes queue.",
234 )
235 .with_autocomplete(&action_suggester)
236 .with_page_size(18)
237 .prompt();
238
239 name
240}
241
242fn action_suggester(val: &str) -> SuggestionResult<Vec<String>> {
243 let suggestions = [
245 HEADERS,
246 HEADERS_NO_PSEUDO,
247 DATA,
248 SETTINGS,
249 GOAWAY,
250 PRIORITY_UPDATE,
251 PUSH_PROMISE,
252 CANCEL_PUSH,
253 MAX_PUSH_ID,
254 GREASE,
255 EXTENSION,
256 OPEN_UNI_STREAM,
257 RESET_STREAM,
258 STOP_SENDING,
259 CONNECTION_CLOSE,
260 STREAM_BYTES,
261 FLUSH_PACKETS,
262 COMMIT,
263 WAIT,
264 QUIT,
265 ];
266
267 squish_suggester(&suggestions, val)
268}
269
270fn squish_suggester(
271 suggestions: &[&str], val: &str,
272) -> SuggestionResult<Vec<String>> {
273 let val_lower = val.to_lowercase();
274
275 Ok(suggestions
276 .iter()
277 .filter(|s| s.to_lowercase().contains(&val_lower))
278 .map(|s| String::from(*s))
279 .collect())
280}
281
282fn validate_varint(id: &str) -> SuggestionResult<Validation> {
283 let x = id.parse::<u64>();
284
285 match x {
286 Ok(v) =>
287 if v >= u64::pow(2, 62) {
288 return Ok(Validation::Invalid(ErrorMessage::Default));
289 },
290
291 Err(_) => {
292 return Ok(Validation::Invalid(ErrorMessage::Default));
293 },
294 }
295
296 Ok(Validation::Valid)
297}
298
299fn prompt_stream_id() -> InquireResult<u64> {
300 prompt_varint(STREAM_ID_PROMPT)
301}
302
303fn prompt_control_stream_id() -> InquireResult<u64> {
304 let id = Text::new(STREAM_ID_PROMPT)
305 .with_validator(h3::validate_varint)
306 .with_autocomplete(&control_stream_suggestor)
307 .with_help_message(ESC_TO_RET)
308 .prompt()?;
309
310 Ok(id.parse::<u64>().unwrap())
312}
313
314fn prompt_varint(str: &str) -> InquireResult<u64> {
315 let id = Text::new(str)
316 .with_validator(h3::validate_varint)
317 .with_placeholder("Integer <= 2^62 -1")
318 .with_help_message(ESC_TO_RET)
319 .prompt()?;
320
321 Ok(id.parse::<u64>().unwrap())
323}
324
325fn control_stream_suggestor(val: &str) -> SuggestionResult<Vec<String>> {
326 let suggestions = ["2"];
327
328 squish_suggester(&suggestions, val)
329}
330
331fn prompt_data() -> InquireResult<Action> {
332 let stream_id = h3::prompt_stream_id()?;
333
334 let payload = Text::new("payload:").prompt()?;
335
336 let fin_stream = prompt_fin_stream()?;
337
338 let action = Action::SendFrame {
339 stream_id,
340 fin_stream,
341 frame: quiche::h3::frame::Frame::Data {
342 payload: payload.into(),
343 },
344 };
345
346 Ok(action)
347}
348
349fn prompt_max_push_id() -> InquireResult<Action> {
350 let stream_id = h3::prompt_stream_id()?;
351 let push_id = h3::prompt_varint(PUSH_ID_PROMPT)?;
352
353 let fin_stream = prompt_fin_stream()?;
354
355 let action = Action::SendFrame {
356 stream_id,
357 fin_stream,
358 frame: quiche::h3::frame::Frame::MaxPushId { push_id },
359 };
360
361 Ok(action)
362}
363
364fn prompt_cancel_push() -> InquireResult<Action> {
365 let stream_id = h3::prompt_stream_id()?;
366 let push_id = h3::prompt_varint(PUSH_ID_PROMPT)?;
367
368 let fin_stream = prompt_fin_stream()?;
369
370 let action = Action::SendFrame {
371 stream_id,
372 fin_stream,
373 frame: quiche::h3::frame::Frame::CancelPush { push_id },
374 };
375
376 Ok(action)
377}
378
379fn prompt_goaway() -> InquireResult<Action> {
380 let stream_id = h3::prompt_stream_id()?;
381 let id = h3::prompt_varint("ID:")?;
382
383 let fin_stream = prompt_fin_stream()?;
384
385 let action = Action::SendFrame {
386 stream_id,
387 fin_stream,
388 frame: quiche::h3::frame::Frame::GoAway { id },
389 };
390
391 Ok(action)
392}
393
394fn prompt_grease() -> InquireResult<Action> {
395 let stream_id = h3::prompt_control_stream_id()?;
396 let raw_type = quiche::h3::grease_value();
397 let payload = Text::new("payload:")
398 .prompt()
399 .expect("An error happened when asking for payload, try again later.");
400
401 let fin_stream = prompt_fin_stream()?;
402
403 let action = Action::SendFrame {
404 stream_id,
405 fin_stream,
406 frame: quiche::h3::frame::Frame::Unknown {
407 raw_type,
408 payload: payload.into(),
409 },
410 };
411
412 Ok(action)
413}
414
415fn prompt_extension() -> InquireResult<Action> {
416 let stream_id = h3::prompt_control_stream_id()?;
417 let raw_type = h3::prompt_varint("frame type:")?;
418 let payload = Text::new("payload:")
419 .with_help_message(ESC_TO_RET)
420 .prompt()
421 .expect("An error happened when asking for payload, try again later.");
422
423 let fin_stream = prompt_fin_stream()?;
424
425 let action = Action::SendFrame {
426 stream_id,
427 fin_stream,
428 frame: quiche::h3::frame::Frame::Unknown {
429 raw_type,
430 payload: payload.into(),
431 },
432 };
433
434 Ok(action)
435}
436
437pub fn prompt_connection_close() -> InquireResult<Action> {
438 let (error_space, error_code) = errors::prompt_transport_or_app_error()?;
439 let reason = Text::new("reason phrase:")
440 .with_placeholder("optional reason phrase")
441 .prompt()
442 .unwrap_or_default();
443
444 Ok(Action::ConnectionClose {
445 error: ConnectionError {
446 is_app: matches!(error_space, ErrorSpace::ApplicationError),
447 error_code,
448 reason: reason.as_bytes().to_vec(),
449 },
450 })
451}
452
453pub fn prompt_stream_bytes() -> InquireResult<Action> {
454 let stream_id = h3::prompt_stream_id()?;
455 let bytes = Text::new("bytes:").prompt()?;
456 let fin_stream = prompt_fin_stream()?;
457
458 Ok(Action::StreamBytes {
459 stream_id,
460 fin_stream,
461 bytes: bytes.as_bytes().to_vec(),
462 })
463}
464
465fn validate_wait_period(period: &str) -> SuggestionResult<Validation> {
466 let x = period.parse::<u64>();
467
468 match x {
469 Ok(v) => {
470 let local_conn_timeout =
471 CONNECTION_IDLE_TIMEOUT.with(|v| *v.borrow());
472 if v >= local_conn_timeout {
473 return Ok(Validation::Invalid(ErrorMessage::Custom(format!(
474 "wait time >= local connection idle timeout {}",
475 local_conn_timeout
476 ))));
477 }
478 },
479
480 Err(_) => return Ok(Validation::Invalid(ErrorMessage::Default)),
481 }
482
483 Ok(Validation::Valid)
484}
485
486fn prompt_yes_no(msg: &str) -> InquireResult<bool> {
487 let res = Select::new(msg, vec![NO, YES]).prompt()?;
488
489 Ok(res == YES)
490}
491
492mod errors;
493mod headers;
494mod priority;
495mod settings;
496mod stream;
497mod wait;