varnish_sys/vcl/ctx.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
//! Expose the Varnish context [`vrt_ctx`] as a Rust object
//!
use std::ffi::{c_int, c_uint, c_void};
use crate::ffi;
use crate::ffi::{vrt_ctx, VRT_fail, VRT_CTX_MAGIC};
use crate::vcl::{HttpHeaders, LogTag, TestWS, VclError, Workspace};
/// VCL context
///
/// A mutable reference to this structure is always passed to vmod functions and provides access to
/// the available HTTP objects, as well as the workspace.
///
/// This struct is a pure Rust structure, mirroring some of the C fields, so you should always use
/// the provided methods to interact with them. If they are not enough, the `raw` field is actually
/// the C original pointer that can be used to directly, and unsafely, act on the structure.
///
/// Which `http_*` are present will depend on which VCL sub routine the function is called from.
///
/// ``` rust
/// use varnish::vcl::Ctx;
///
/// fn foo(ctx: &Ctx) {
/// if let Some(ref req) = ctx.http_req {
/// for (name, value) in req {
/// println!("header {name} has value {value}");
/// }
/// }
/// }
/// ```
#[derive(Debug)]
pub struct Ctx<'a> {
pub raw: &'a mut vrt_ctx,
pub http_req: Option<HttpHeaders<'a>>,
pub http_req_top: Option<HttpHeaders<'a>>,
pub http_resp: Option<HttpHeaders<'a>>,
pub http_bereq: Option<HttpHeaders<'a>>,
pub http_beresp: Option<HttpHeaders<'a>>,
pub ws: Workspace<'a>,
}
impl<'a> Ctx<'a> {
/// Wrap a raw pointer into an object we can use.
///
/// The pointer must be non-null, and the magic must match
pub unsafe fn from_ptr(ptr: *const vrt_ctx) -> Self {
Self::from_ref(ptr.cast_mut().as_mut().unwrap())
}
/// Instantiate from a mutable reference to a [`vrt_ctx`].
pub fn from_ref(raw: &'a mut vrt_ctx) -> Self {
assert_eq!(raw.magic, VRT_CTX_MAGIC);
Self {
http_req: HttpHeaders::from_ptr(raw.http_req),
http_req_top: HttpHeaders::from_ptr(raw.http_req_top),
http_resp: HttpHeaders::from_ptr(raw.http_resp),
http_bereq: HttpHeaders::from_ptr(raw.http_bereq),
http_beresp: HttpHeaders::from_ptr(raw.http_beresp),
ws: Workspace::from_ptr(raw.ws),
raw,
}
}
/// Log an error message and fail the current VSL task.
///
/// Once the control goes back to Varnish, it will see that the transaction was marked as fail
/// and will return a synthetic error to the client.
pub fn fail(&mut self, msg: impl Into<VclError>) {
let msg = msg.into();
let msg = msg.as_str();
unsafe {
VRT_fail(self.raw, c"%.*s".as_ptr(), msg.len(), msg.as_ptr());
}
}
/// Log a message, attached to the current context
pub fn log(&mut self, tag: LogTag, msg: impl AsRef<str>) {
unsafe {
let vsl = self.raw.vsl;
if vsl.is_null() {
log(tag, msg);
} else {
let msg = ffi::txt::from_str(msg.as_ref());
ffi::VSLbt(vsl, tag, msg);
}
}
}
pub fn cached_req_body(&mut self) -> Result<Vec<&'a [u8]>, VclError> {
unsafe extern "C" fn chunk_collector(
priv_: *mut c_void,
_flush: c_uint,
ptr: *const c_void,
len: isize,
) -> c_int {
let v = priv_.cast::<Vec<&[u8]>>().as_mut().unwrap();
let buf = std::slice::from_raw_parts(ptr.cast::<u8>(), len as usize);
v.push(buf);
0
}
let req = unsafe { self.raw.req.as_mut().ok_or("req object isn't available")? };
unsafe {
if req.req_body_status != ffi::BS_CACHED.as_ptr() {
return Err("request body hasn't been previously cached".into());
}
}
let mut v: Box<Vec<&'a [u8]>> = Box::default();
let p: *mut Vec<&'a [u8]> = &mut *v;
match unsafe {
ffi::VRB_Iterate(
req.wrk,
req.vsl.as_mut_ptr(),
req,
Some(chunk_collector),
p.cast::<c_void>(),
)
} {
0 => Ok(*v),
_ => Err("req.body iteration failed".into()),
}
}
}
/// A struct holding both a native [`vrt_ctx`] struct and the space it points to.
///
/// As the name implies, this struct mainly exist to facilitate testing and should probably not be
/// used elsewhere.
#[derive(Debug)]
pub struct TestCtx {
vrt_ctx: vrt_ctx,
test_ws: TestWS,
}
impl TestCtx {
/// Instantiate a [`vrt_ctx`], as well as the workspace (of size `sz`) it links to.
pub fn new(sz: usize) -> Self {
let mut test_ctx = Self {
vrt_ctx: vrt_ctx {
magic: VRT_CTX_MAGIC,
..vrt_ctx::default()
},
test_ws: TestWS::new(sz),
};
test_ctx.vrt_ctx.ws = test_ctx.test_ws.as_ptr();
test_ctx
}
pub fn ctx(&mut self) -> Ctx {
Ctx::from_ref(&mut self.vrt_ctx)
}
}
pub fn log(tag: LogTag, msg: impl AsRef<str>) {
let msg = msg.as_ref();
unsafe {
ffi::VSL(
tag,
ffi::vxids { vxid: 0 },
c"%.*s".as_ptr(),
msg.len(),
msg.as_ptr(),
);
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn ctx_test() {
let mut test_ctx = TestCtx::new(100);
test_ctx.ctx();
}
}