The crypter crate provides Rust and FFI for encryption and decryption using AES-GCM 256-bits.
To enable the C api, the feature ffi
must be enabled.
To enable the WASM api, the feature wasm
must be enabled.
See the examples for working FFI applications.
```rust let pass = "superscret"; let payload = "mega ultra safe payload";
let encrypted = crypter::encrypt(pass.asbytes(), payload.asbytes()).expect("Failed to encrypt"); let decrypted = crypter::decrypt(pass.asbytes(), &encrypted).expect("Failed to decrypt"); println!("{}", String::fromutf8(decrypted).expect("Invalid decrypted string")); ```
```
int main() { const char *pass = "supersecret"; const char *payload = "mega ultra safe payload";
CrypterCSlice pass_slice = {.ptr = (const unsigned char *)pass, .len = strlen(pass)};
CrypterRustSlice encrypted = crypterencrypt( passslice, (CrypterCSlice){.ptr = (const unsigned char *)payload, .len = strlen(payload)});
CrypterCSlice encrypted_slice = {.ptr = encrypted.ptr, .len = encrypted.len};
CrypterRustSlice decrypted = crypterdecrypt(passslice, encrypted_slice);
if (decrypted.ptr) { for (int i = 0; i < decrypted.len; i++) { if (decrypted.ptr[i] == 0) { putchar('0'); } else { putchar(decrypted.ptr[i]); } } putchar('\n'); } else { puts("Null return"); }
crypterfreeslice(encrypted); crypterfreeslice(decrypted); } ```
``` local ffi = require('ffi')
ffi.cdef[[ typedef struct Slice { uint8t * ptr; sizet len; } Slice; typedef struct RustSlice { uint8t * ptr; sizet len; size_t capacity; } RustSlice;
RustSlice crypterencrypt(struct Slice pass, struct Slice payload); RustSlice crypterdecrypt(struct Slice pass, struct Slice payload); ]]
local function slicefromstr(text) local slice = ffi.new('Slice')
slice.ptr = ffi.cast('uint8_t *', text) slice.len = string.len(text) return slice end
local function relaxrustslice(rust_slice) local slice = ffi.new('Slice')
slice.ptr = rustslice.ptr slice.len = rustslice.len return slice end
crypter = ffi.load('crypter')
local pass = slicefromstr('supersecret') local encrypted = crypter.crypterencrypt(pass, slicefromstr('mega ultra safe payload')) local decrypted = crypter.crypterdecrypt(pass, relaxrustslice(encrypted))
if decrypted.ptr ~= nil then print(ffi.string(decrypted.ptr, decrypted.len)) else print('Failed roud trip') end ```
```