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
//! Simple `mmap`ed runtime.
//!
//! This runtime supports adding code to executable pages and turn the added code into user
//! specified function pointer.
use nix::sys::mman::{mmap, mprotect, munmap, MapFlags, ProtFlags};
#[cfg(not(target_os = "linux"))]
compile_error!("This runtime is only supported on linux");
/// A simple `mmap`ed runtime with executable pages.
pub struct Runtime {
buf: *mut u8,
len: usize,
idx: usize,
}
impl Runtime {
/// Create a new [Runtime].
///
/// # Panics
///
/// Panics if the `mmap` call fails.
pub fn new() -> Runtime {
// Allocate a single page.
let len = core::num::NonZeroUsize::new(4096).expect("Value is non zero");
let buf = unsafe {
mmap(
None,
len,
ProtFlags::PROT_NONE,
MapFlags::MAP_PRIVATE | MapFlags::MAP_ANONYMOUS,
0, /* fd */
0, /* off */
)
.expect("Failed to mmap runtime code page") as *mut u8
};
Runtime {
buf,
len: len.get(),
idx: 0,
}
}
/// Add the block of `code` to the runtime and a get function pointer of type `F`.
///
/// # Panics
///
/// Panics if the `code` does not fit on the `mmap`ed pages or is empty.
///
/// # Safety
///
/// The code added must fulfill the ABI of the specified function `F` and the returned function
/// pointer is only valid until the [`Runtime`] is dropped.
///
/// # Examples
///
/// ```
/// let mut rt = juicebox_asm::Runtime::new();
///
/// let code = [ 0x90 /* nop */, 0xc3 /* ret */ ];
/// let nop = unsafe { rt.add_code::<extern "C" fn()>(&code) };
///
/// nop();
/// ```
pub unsafe fn add_code<F>(&mut self, code: impl AsRef<[u8]>) -> F {
// Get pointer to start of next free byte.
assert!(self.idx < self.len, "Runtime code page full");
let fn_start = self.buf.add(self.idx);
// Copy over code.
let code = code.as_ref();
assert!(!code.is_empty(), "Adding empty code not supported");
assert!(
code.len() <= (self.len - self.idx),
"Code does not fit on the runtime code page"
);
self.unprotect();
unsafe { std::ptr::copy_nonoverlapping(code.as_ptr(), fn_start, code.len()) };
self.protect();
// Increment index to next free byte.
self.idx += code.len();
// Return function to newly added code.
unsafe { Self::as_fn::<F>(fn_start) }
}
/// Dump the code added so far to the runtime into a file called `jit.asm` in the processes
/// current working directory.
///
/// The code can be inspected with a disassembler as for example `ndiasm` from
/// [nasm.us](https://nasm.us/index.php).
/// ```sh
/// ndisasm -b 64 jit.asm
/// ```
///
/// # Panics
///
/// Panics if writing the file failed.
pub fn dump(&self) {
assert!(self.idx <= self.len);
let code = unsafe { core::slice::from_raw_parts(self.buf, self.idx) };
std::fs::write("jit.asm", code).expect("Failed to write file");
}
/// Reinterpret the block of code pointed to by `fn_start` as `F`.
#[inline]
unsafe fn as_fn<F>(fn_start: *mut u8) -> F {
unsafe { std::mem::transmute_copy(&fn_start) }
}
/// Add write protection the underlying code page(s).
///
/// # Panics
///
/// Panics if the `mprotect` call fails.
fn protect(&mut self) {
unsafe {
// Remove write permissions from code page and allow to read-execute from it.
mprotect(
self.buf.cast(),
self.len,
ProtFlags::PROT_READ | ProtFlags::PROT_EXEC,
)
.expect("Failed to RX mprotect runtime code page");
}
}
/// Remove write protection the underlying code page(s).
///
/// # Panics
///
/// Panics if the `mprotect` call fails.
fn unprotect(&mut self) {
unsafe {
// Add write permissions to code page.
mprotect(self.buf.cast(), self.len, ProtFlags::PROT_WRITE)
.expect("Failed to W mprotect runtime code page");
}
}
}
impl Drop for Runtime {
/// Unmaps the code page. This invalidates all the function pointer returned by
/// [`Runtime::add_code`].
fn drop(&mut self) {
unsafe {
munmap(self.buf.cast(), self.len).expect("Failed to munmap runtime");
}
}
}
#[cfg(test)]
mod test {
use super::*;
#[test]
fn test_code_max_size() {
let mut rt = Runtime::new();
let code = [0u8; 4096];
unsafe {
rt.add_code::<extern "C" fn()>(code);
}
}
#[test]
#[should_panic]
fn test_code_max_size_plus_1() {
let mut rt = Runtime::new();
let code = [0u8; 4097];
unsafe {
rt.add_code::<extern "C" fn()>(code);
}
}
#[test]
#[should_panic]
fn test_code_max_size_plus_1_2() {
let mut rt = Runtime::new();
let code = [0u8; 4096];
unsafe {
rt.add_code::<extern "C" fn()>(code);
}
let code = [0u8; 1];
unsafe {
rt.add_code::<extern "C" fn()>(code);
}
}
#[test]
#[should_panic]
fn test_empty_code() {
let mut rt = Runtime::new();
let code = [0u8; 0];
unsafe {
rt.add_code::<extern "C" fn()>(code);
}
}
}