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
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
#![cfg_attr(docsrs, feature(doc_cfg))]

//! A rust runtime for Tencent Cloud Serverless Compute Function
//!
//! This library provides a basic custom runtime for a rust application
//! on Tencent Cloud as Serverless Compute Function. For complete setup,
//! see [Setup].
//!
//! # `start` vs `start_uncatched`
//! There are two varaints of `start` function to start the runtime, to sum up:
//! * [`start`] catches panic from the provided serverless compute function, but this requires the
//! function to be [`RefUnwindSafe`]. Most pure function should satisfy this.
//! * [`start_uncatched`] allows the serverless compute function to panic the whole process and relies on
//! the cloud to tear down the executor and restart. The downside of this is when a query causes
//! panic on the function, the cloud typically waits until timeout before acknowledging the
//! failure. Sometimes this is necessary to reference `!RefUnwindSafe` types. Connection pool,
//! for example, usually is not unwind-safe.
//!
//! # Built-in Events
//! When enabling the correspondent `builtin-*` feature, auto serialization and deserialization of
//! certain built-in events and reponses are supported.
//!
//! Current supported built-in events/responses are:
//! * API Gateway: enabled by feature `builtin-api-gateway`, supports trigger as described in [API Gateway
//! Trigger]. `builtin::api::Request` and `builtin::api::Response` will be provided, which are
//! re-export of `http::Request` and `http::Response` with support of auto deserialization/serialization.
//!
//!   For more information, see [the module-level documentation][builtin::api].
//!   ```no_run
//!   # #[cfg(feature = "builtin-api-gateway")]
//!   # {
//!   use std::convert::Infallible;
//!  
//!   use tencent_scf::{
//!       builtin::api::{Request, Response, ResponseBuilder},
//!       make_scf, start, Context,
//!   };
//!  
//!   fn main() {
//!       let scf = make_scf(
//!           |event: Request<String>, _context: Context| -> Result<Response<String>, Infallible> {
//!               Ok(ResponseBuilder::new()
//!                   .status(200)
//!                   .body("Hello World".to_string())
//!                   .unwrap())
//!           },
//!       );
//!       start(scf);
//!   }
//!   # }
//!   ```
//!
//! # Custom Event and Response
//! Custom types of event and reponse are supported.
//!
//! ## Auto Serialization/Deserialization
//! Any type that implements [`serde::Deserialize`] and is marked as [`convert::AsJson`] can be
//! deserialized from JSON automatically when feature "json" is enabled. Similarly for types
//! implementing [`serde::Serialize`] and is marked as [`convert::AsJson`].
//!
//! ### Example
//! ```no_run
//! use std::convert::Infallible;
//!
//! use serde::{Deserialize, Serialize};
//! // with "json" feature enabled
//! use tencent_scf::{convert::AsJson, make_scf, start, Context};
//!
//! // define a custom event
//! #[derive(Deserialize)]
//! struct CustomEvent {
//!     a: i32,
//!     b: i32,
//! }
//!
//! // mark the custom event as json for auto deserialization
//! impl AsJson for CustomEvent {}
//!
//! // define a custom response
//! #[derive(Serialize)]
//! struct CustomResponse {
//!     a_plus_b: i32,
//! }
//!
//! // mark the custom response as json for auto serialization
//! impl AsJson for CustomResponse {}
//!
//! // make the scf
//! let scf = make_scf(
//!     |event: CustomEvent, _context: Context| -> Result<CustomResponse, Infallible> {
//!         Ok(CustomResponse {
//!             a_plus_b: event.a + event.b,
//!         })
//!     },
//! );
//! // start the runtime in the main function
//! start(scf);
//! ```
//! ## Manual Serialization/Deserialization
//! User can also chose to implement [`convert::FromReader`] for incoming events and
//! [`convert::IntoBytes`] for outgoing response.
//!
//! [Setup]: https://github.com/johnmave126/tencent_scf/blob/master/README.md#deployment
//! [API Gateway Trigger]: https://cloud.tencent.com/document/product/583/12513
pub mod builtin;
pub mod convert;

mod helper;

use std::{
    env,
    fmt::Display,
    marker::PhantomData,
    panic::{self, RefUnwindSafe},
    str::FromStr,
};

use ureq::{Agent, AgentBuilder, Response};

/// The context of the invocation, assembled from environment variables and invocation headers.
///
/// The concrete description of each field can be found at [Custom Runtime API]
/// and [Built-in Environment Variables].
///
/// [Custom Runtime API]: https://cloud.tencent.com/document/product/583/47274#custom-runtime-.E8.BF.90.E8.A1.8C.E6.97.B6-api
/// [Built-in Environment Variables]: https://cloud.tencent.com/document/product/583/30228#.E5.B7.B2.E5.86.85.E7.BD.AE.E7.8E.AF.E5.A2.83.E5.8F.98.E9.87.8F

#[derive(Debug, Clone, PartialEq, Eq)]
pub struct Context {
    /// from header `memory_limit_in_mb`
    pub memory_limit_in_mb: usize,
    /// from header `time_limit_in_ms`
    pub time_limit_in_ms: usize,
    /// from header `request_id`
    pub request_id: String,
    /// from enviroment variable `SCF_NAMESPACE`
    pub namespace: String,
    /// from enviroment variables `SCF_FUNCTIONNAME`
    pub function_name: String,
    /// from enviroment variable `SCF_FUNCTIONVERSION`
    pub function_version: String,
    /// from enviroment variable `TENCENTCLOUD_REGION`
    pub region: String,
    /// from enviroment variable `TENCENTCLOUD_APPID`
    pub appid: String,
    /// from enviroment variable `TENCENTCLOUD_UIN`
    pub uin: String,
}

impl Context {
    /// Creates a context from values from header and from enviroment (via `env_context`).
    fn new(
        memory_limit_in_mb: usize,
        time_limit_in_ms: usize,
        request_id: String,
        env_context: &EnvContext,
    ) -> Self {
        Self {
            memory_limit_in_mb,
            time_limit_in_ms,
            request_id,
            namespace: env_context.namespace.clone(),
            function_name: env_context.function_name.clone(),
            function_version: env_context.function_version.clone(),
            region: env_context.region.clone(),
            appid: env_context.appid.clone(),
            uin: env_context.uin.clone(),
        }
    }
}

/// A subset of [`Context`] where the values are pulled from the environment variables
#[derive(Debug, Clone)]
struct EnvContext {
    namespace: String,
    function_name: String,
    function_version: String,
    region: String,
    appid: String,
    uin: String,
}

impl EnvContext {
    /// Load values from environment variables. The names of the variables are retrieved from [Built-in Environment Variables]
    ///
    /// # Panics
    /// The function will panic if any value is missing.
    ///
    /// [Built-in Environment Variables]: https://cloud.tencent.com/document/product/583/30228#.E5.B7.B2.E5.86.85.E7.BD.AE.E7.8E.AF.E5.A2.83.E5.8F.98.E9.87.8F
    fn load() -> Self {
        Self {
            namespace: env::var("SCF_NAMESPACE").unwrap(),
            function_name: env::var("SCF_FUNCTIONNAME").unwrap(),
            function_version: env::var("SCF_FUNCTIONVERSION").unwrap(),
            region: env::var("TENCENTCLOUD_REGION").unwrap(),
            appid: env::var("TENCENTCLOUD_APPID").unwrap(),
            uin: env::var("TENCENTCLOUD_UIN").unwrap(),
        }
    }
}

/// Main trait for a serverless compute function.
///
/// # Note
/// Depending on whether the concrete type is unwind-safe, user should choose between [`start`]
/// and [`start_uncatched`] to start the runtime. This trait **doesn't** imply `RefUnwindSafe`.
///
/// # Implement the Trait
/// Using a closure should cover most of the cases. If a struct/enum is used, the trait can be
/// implemented as:
/// ```no_run
/// use tencent_scf::{start, Context, ServerlessComputeFunction};
/// struct MyFunction {
///     some_attribute: String,
/// }
///
/// impl ServerlessComputeFunction for MyFunction {
///     // Type for input event
///     type Event = String;
///     // Type for output response
///     type Response = String;
///     // Type for possible error
///     type Error = std::convert::Infallible;
///
///     // Implement the execution of the function
///     fn call(
///         &self,
///         event: Self::Event,
///         context: Context,
///     ) -> Result<Self::Response, Self::Error> {
///         // We just concatenate the strings
///         Ok(event + &self.some_attribute)
///     }
/// }
///
/// start(MyFunction {
///     some_attribute: "suffix".to_string(),
/// });
/// ```
pub trait ServerlessComputeFunction {
    /// The type for incoming event.
    type Event;
    /// The type for outgoing response.
    type Response;
    /// The type for error(s) during the execution of the function.
    type Error;

    /// The actual execution of the function. Implementer is allowed to panic as it will be catched
    /// by the runtime.
    fn call(&self, event: Self::Event, context: Context) -> Result<Self::Response, Self::Error>;
}

/// A wrapper struct to convert a closure into a [`ServerlessComputeFunction`].
///
/// The main reason we need this is to make sure we can use associative type in
/// [`ServerlessComputeFunction`].
#[doc(hidden)]
pub struct Closure<Event, Response, Error, Function> {
    f: Function,
    phantom: PhantomData<panic::AssertUnwindSafe<(Event, Response, Error)>>,
}

#[doc(hidden)]
impl<Event, Response, Error, Function> ServerlessComputeFunction
    for Closure<Event, Response, Error, Function>
where
    Function: Fn(Event, Context) -> Result<Response, Error>,
{
    type Event = Event;
    type Response = Response;
    type Error = Error;
    fn call(&self, event: Event, context: Context) -> Result<Response, Error> {
        (&self.f)(event, context)
    }
}

/// Create a [`ServerlessComputeFunction`] from a closure.
///# Example
/// ```
/// # #[cfg(feature = "builtin-api-gateway")]
/// # {
/// use std::convert::Infallible;
///
/// use tencent_scf::{
///     builtin::api::{Request, Response, ResponseBuilder},
///     make_scf, Context,
/// };
///
/// let scf = make_scf(
///     |event: Request<String>, _context: Context| -> Result<Response<String>, Infallible> {
///         Ok(ResponseBuilder::new()
///             .status(200)
///             .body("Hello World".to_string())
///             .unwrap())
///     },
/// );
/// # }
/// ```
pub fn make_scf<Event, Response, Error, Function>(
    f: Function,
) -> Closure<Event, Response, Error, Function>
where
    Function: Fn(Event, Context) -> Result<Response, Error> + 'static,
{
    Closure {
        f,
        phantom: PhantomData,
    }
}

/// Start the runtime with the given serverless compute function.
///
/// Typically this should be the last call in the `main` function.
///
/// # Panic
/// The runtime will panic if any of the following happens:
/// * Fail to initialize, for example, expected environment vairable not found.
/// * Fail to communicate to upstream cloud.
/// * Receive malformed response from upstream cloud.
///
/// The runtime will **not** panic if the serverless compute function panics. Instead, the panic will
/// be captured and properly sent to the upstream cloud. The runtime may not be able to capture
/// **all** kinds of panic, see [`std::panic::catch_unwind`] for more information.
///
/// # Example
/// ```no_run
/// # #[cfg(feature = "json")]
/// # {
/// use std::convert::Infallible;
///
/// use serde::{Deserialize, Serialize};
/// use tencent_scf::{convert::AsJson, make_scf, start, Context};
///
/// // define a custom event
/// #[derive(Deserialize)]
/// struct CustomEvent {
///     a: i32,
///     b: i32,
/// }
///
/// // mark the custom event as json for auto deserialization
/// impl AsJson for CustomEvent {}
///
/// // define a custom response
/// #[derive(Serialize)]
/// struct CustomResponse {
///     a_plus_b: i32,
/// }
///
/// // mark the custom response as json for auto serialization
/// impl AsJson for CustomResponse {}
///
/// fn main() {
///     // make the scf
///     let scf = make_scf(
///         |event: CustomEvent, _context: Context| -> Result<CustomResponse, Infallible> {
///             Ok(CustomResponse {
///                 a_plus_b: event.a + event.b,
///             })
///         },
///     );
///     // start the runtime in the main function
///     start(scf);
/// }
/// # }
/// ```
pub fn start<Event, Response, Error, ConvertEventError, ConvertResponseError, Function>(f: Function)
where
    Function: ServerlessComputeFunction<Event = Event, Response = Response, Error = Error>
        + RefUnwindSafe,
    Event: convert::FromReader<Error = ConvertEventError>,
    Response: convert::IntoBytes<Error = ConvertResponseError>,
    Error: Display,
    ConvertEventError: Display,
    ConvertResponseError: Display,
{
    let rt = Runtime::new();

    // Notify upstream cloud that we are ready
    rt.notify_ready();

    // Main loop
    loop {
        // Fetch next event
        if let Some((event, context)) = rt.next() {
            // The response is well-formed
            let result = rt.invoke(&f, event, context);
            // Send the result to the cloud
            rt.send_result(result);
        }
    }
}

/// Start the runtime with the given serverless compute function without catching panics.
///
/// Typically this should be the last call in the `main` function.
///
/// # Panic
/// The runtime will panic if any of the following happens:
/// * Fail to initialize, for example, expected environment vairable not found.
/// * Fail to communicate to upstream cloud.
/// * Receive malformed response from upstream cloud.
/// * The serverless compute function panics during execution.
///
/// # Example
/// Here is an example where the function must be started without panic catching:
/// ```no_run
/// use tencent_scf::{make_scf, start_uncatched, Context};
/// use ureq::AgentBuilder;
///
/// // build an http agent
/// // this object is not unwind-safe so any closure that captures it is not unwind-safe
/// let agent = AgentBuilder::new().build();
/// // make the scf
/// let scf = make_scf(
///     move |event: serde_json::Value,
///           _context: Context|
///           -> Result<serde_json::Value, ureq::Error> {
///         // do something using agent
///         let _resp = agent.get("http://example.com/").call()?;
///         Ok(event)
///     },
/// );
/// // start the runtime in the main function
/// start_uncatched(scf);
/// // this doesn't compile
/// // tencent_scf::start(scf);
/// ```
pub fn start_uncatched<Event, Response, Error, ConvertEventError, ConvertResponseError, Function>(
    f: Function,
) where
    Function: ServerlessComputeFunction<Event = Event, Response = Response, Error = Error>,
    Event: convert::FromReader<Error = ConvertEventError>,
    Response: convert::IntoBytes<Error = ConvertResponseError>,
    Error: Display,
    ConvertEventError: Display,
    ConvertResponseError: Display,
{
    let rt = Runtime::new();

    // Notify upstream cloud that we are ready
    rt.notify_ready();

    // Main loop
    loop {
        // Fetch next event
        if let Some((event, context)) = rt.next() {
            // The response is well-formed
            let result = rt.invoke_uncatched(&f, event, context);
            // Send the result to the cloud
            rt.send_result(result);
        }
    }
}

/// A struct that contains information for a runtime
struct Runtime {
    agent: Agent,
    ready_url: String,
    next_url: String,
    response_url: String,
    error_url: String,
    env_context: EnvContext,
}

impl Runtime {
    /// Create a runtime
    fn new() -> Self {
        // HTTP client pool
        let agent = AgentBuilder::new().build();

        // Extract cloud runtime server and port from environment variables
        let api_server = env::var("SCF_RUNTIME_API").unwrap();
        let api_port = env::var("SCF_RUNTIME_API_PORT").unwrap();

        // Assemble urls for upstream cloud communication
        // Gathered from [Custom Runtime
        // API](https://cloud.tencent.com/document/product/583/47274#custom-runtime-.E8.BF.90.E8.A1.8C.E6.97.B6-api)
        let ready_url = format!("http://{}:{}/runtime/init/ready", api_server, api_port);
        let next_url = format!("http://{}:{}/runtime/invocation/next", api_server, api_port);
        let response_url = format!(
            "http://{}:{}/runtime/invocation/response",
            api_server, api_port
        );
        let error_url = format!(
            "http://{}:{}/runtime/invocation/error",
            api_server, api_port
        );

        // Load context from environment variables
        let env_context = EnvContext::load();

        Self {
            agent,
            ready_url,
            next_url,
            response_url,
            error_url,
            env_context,
        }
    }

    /// Notify the upstream cloud that the runtime is ready
    #[inline]
    fn notify_ready(&self) {
        // A space must be sent, otherwise the upstream cloud rejects the request.
        self.agent
            .post(&self.ready_url)
            .send_string(" ")
            .expect("fail to notify cloud about readiness");
    }

    /// Get the next event from upstream cloud
    #[inline]
    fn next<Event, ConvertError>(&self) -> Option<(Event, Context)>
    where
        Event: convert::FromReader<Error = ConvertError>,
        ConvertError: Display,
    {
        let resp = self
            .agent
            .get(&self.next_url)
            .call()
            .expect("fail to retrieve next event from cloud");

        match self.break_parts(resp) {
            Ok(parts) => Some(parts),
            Err(err) => {
                // Fail to parse the response
                self.send_error_message(&err);
                None
            }
        }
    }

    /// Invoke a scf with panic catching
    fn invoke<Event, Response, Error, ConvertEventError, ConvertResponseError, Function>(
        &self,
        f: &Function,
        event: Event,
        context: Context,
    ) -> Result<Response, String>
    where
        Function: ServerlessComputeFunction<Event = Event, Response = Response, Error = Error>
            + RefUnwindSafe,
        Event: convert::FromReader<Error = ConvertEventError>,
        Response: convert::IntoBytes<Error = ConvertResponseError>,
        Error: Display,
        ConvertEventError: Display,
        ConvertResponseError: Display,
    {
        let invoke_result = {
            // Replace the panic handler to redirect panic messages.
            // This is a RAII construct so the panic handler should be reinstated after the
            // end of this block
            let panic_guard = helper::PanicGuard::new();
            let invoke_result = panic::catch_unwind({
                let scf = &f;
                // The event was deserialized from a byte stream and *should not* affect the
                // outer environment had a panic happens, but we cannot prevent crazy
                // implementater for `convert::FromReader` where they somehow introduce
                // `!UnwindSafe` types. Implementers are warned in the documentation for
                // `convert::FromReader` so for ergonomics we assert unwind-safety for
                // event
                let event = panic::AssertUnwindSafe(event);
                move || scf.call(event.0, context)
            })
            .map_err(|_| panic_guard.get_panic());
            invoke_result
        };
        match invoke_result {
            // The execution succeeded
            Ok(Ok(response)) => Ok(response),
            Ok(Err(err)) => {
                // There are errors during the execution
                Err(format!("function failed with error: {}", err))
            }
            Err(message) => {
                // panic, now extract panic message from buffer
                Err(message)
            }
        }
    }

    /// Invoke a scf without panic catching
    fn invoke_uncatched<Event, Response, Error, ConvertEventError, ConvertResponseError, Function>(
        &self,
        f: &Function,
        event: Event,
        context: Context,
    ) -> Result<Response, String>
    where
        Function: ServerlessComputeFunction<Event = Event, Response = Response, Error = Error>,
        Event: convert::FromReader<Error = ConvertEventError>,
        Response: convert::IntoBytes<Error = ConvertResponseError>,
        Error: Display,
        ConvertEventError: Display,
        ConvertResponseError: Display,
    {
        f.call(event, context)
            .map_err(|err| format!("function failed with error: {}", err))
    }

    /// Send the execution result to the upstream cloud
    fn send_result<Response, ConvertResponseError>(&self, result: Result<Response, String>)
    where
        Response: convert::IntoBytes<Error = ConvertResponseError>,
        ConvertResponseError: Display,
    {
        match result {
            Ok(response) => match response.into_bytes() {
                Ok(response) => {
                    // Send the result to the upstream
                    self.agent
                        .post(&self.response_url)
                        .send_bytes(&response)
                        .expect("fail to send response to the cloud");
                }
                Err(err) => {
                    // Fail to encode the response
                    self.send_error_message(&format!("fail to encode function response: {}", err));
                }
            },

            Err(err) => {
                self.send_error_message(&err);
            }
        }
    }

    /// Break a response for an event into payload and metadata, and try to parse the payload into
    /// event and collect metadata to form a context.
    #[doc(hidden)]
    fn break_parts<Event, ConvertError>(
        &self,
        invocation: Response,
    ) -> Result<(Event, Context), String>
    where
        Event: convert::FromReader<Error = ConvertError>,
        ConvertError: Display,
    {
        // Name of the headers from: [Custom Runtime
        // API](https://cloud.tencent.com/document/product/583/47274#custom-runtime-.E8.BF.90.E8.A1.8C.E6.97.B6-api)
        let memory_limit_in_mb = Self::parse_header(&invocation, "memory_limit_in_mb")?;
        let time_limit_in_ms = Self::parse_header(&invocation, "time_limit_in_ms")?;
        let request_id = Self::parse_header(&invocation, "request_id")?;

        let reader = invocation.into_reader();
        let event = Event::from_reader(reader)
            .map_err(|e| format!("failed to parse incoming invocation payload: {}", e))?;

        Ok((
            event,
            Context::new(
                memory_limit_in_mb,
                time_limit_in_ms,
                request_id,
                &self.env_context,
            ),
        ))
    }
    /// A helper function to parse a header in the response. Returns an error when the header doesn't
    /// exist or the parsing fails.
    #[inline]
    fn parse_header<T, Error>(response: &Response, header: &str) -> Result<T, String>
    where
        T: FromStr<Err = Error>,
        Error: Display,
    {
        match response.header(header) {
            Some(value) => value.parse().map_err(|e| {
                format!(
                    "fail to parse value of header {} of incoming invocation: {}",
                    header, e
                )
            }),
            None => Err(format!(
                "header {} is not present in the incoming invocation",
                header
            )),
        }
    }

    /// A helper function to send the error message to the upstream cloud
    #[inline]
    fn send_error_message(&self, message: &str) {
        self.agent
            .post(&self.error_url)
            .send_string(message)
            .expect("fail to send error message to the cloud");
    }
}