Classes
BoltFFI has two ways to expose a struct: as data or as a class.
Data (#[data]) is for plain values. A Point { x, y } or a User { id, name, email }. Data is copied when it crosses the boundary. The target language gets a struct or record with public fields. No behavior, no methods, just data.
Classes (#[export] impl) are for objects with behavior. A DatabaseConnection or a HttpClient. The object lives in Rust, the target language holds a reference to it. Methods operate on that reference. The object is not copied - there’s one instance, and both sides point to it.
Use data when you’re passing values around. Use classes when you’re managing state or resources.
Defining a class
Put #[export] on the impl block, not the struct. The struct stays private; only the methods you define in the impl block are exposed.
Constructors
Methods that return Self become constructors. How they appear in the target language depends on the method name and parameters.
The new() method
A method named new() becomes the primary constructor.
Named constructors with parameters
Methods with parameters that return Self become additional constructors. In Swift, they become convenience init. In Kotlin, they go in the companion object.
Factory methods (no parameters)
Methods with no parameters and a name other than new become factory methods.
Fallible constructors
Constructors can return Result<Self, E>. The error type must be marked with #[error]. The constructor becomes throwing in the target language.
Methods
Methods take &self. For mutation, use interior mutability (Mutex, atomics, etc.).
&self vs &mut self
&self takes a shared reference. &mut self takes an exclusive reference.
&mut self methods are blocked by default. Two threads calling &mut self on the same instance is undefined behavior. BoltFFI prevents this at compile time:
#[export]
impl Counter {
pub fn increment(&mut self) { // Compile error
self.value += 1;
}
}
error: BoltFFI: `&mut self` methods are not thread-safe in FFI contexts
Two threads calling `&mut self` on the same instance = undefined behavior.
Options:
1. Use `&self` with interior mutability (Mutex, RefCell, etc.) [recommended]
2. Add #[export(single_threaded)] ONLY if you enforce thread safety in the target
language and want to avoid synchronization overhead you don't need
The recommended approach: use &self for all methods and handle mutability with Mutex, RwLock, or atomics. This is thread-safe by default and works everywhere.
use std::sync::Mutex;
pub struct Counter {
value: Mutex<i32>,
}
#[export]
impl Counter {
pub fn new() -> Self {
Counter { value: Mutex::new(0) }
}
pub fn increment(&self) { // &self, not &mut self
*self.value.lock().unwrap() += 1;
}
pub fn get(&self) -> i32 {
*self.value.lock().unwrap()
}
}
If you control thread access from the target language and want to avoid synchronization overhead, see Single-threaded mode.
Static methods
Methods without self become static methods on the class.
Async methods
Mark a method async and it becomes an async method in the target language. BoltFFI has no built-in executor. You choose your Rust async runtime (Tokio, async-std, etc.), and the target language’s async system coordinates with it automatically. See Async for more.
Methods that take or return classes
Methods can accept or return other class instances.
Skipping methods
Use #[skip] to exclude a method from FFI export. The method stays in Rust but isn’t exposed to the target language.
#[export]
impl MyClass {
pub fn exported(&self) -> i32 {
self.helper() * 2
}
#[skip]
pub fn helper(&self) -> i32 {
42
}
}
Thread safety
BoltFFI requires exported classes to be Send + Sync by default. This is a compile-time check. If your struct isn’t thread-safe, compilation fails.
If your struct contains types that aren’t thread-safe (like RefCell, Rc, or raw pointers), you have two options:
-
Make it thread-safe using synchronization primitives like
Mutex,RwLock, or atomics. For shared ownership across threads, combine withArc(e.g.,Arc<Mutex<T>>). -
Add
#[export(single_threaded)]. This disables theSend + Synccheck, but you’re responsible for ensuring the class is only used from a single thread.
Single-threaded mode
By default, BoltFFI enforces two safety rules:
- Classes must be
Send + Sync - Methods cannot take
&mut self
Both rules exist because the target language can call your methods from any thread. Without synchronization, concurrent &mut self calls cause undefined behavior.
But synchronization has a cost. If you control thread access in the target language - for example, you only use the object from the main thread, or you wrap it in your own synchronization - you’re paying for locks you don’t need.
#[export(single_threaded)] disables both checks:
pub struct FastCounter {
value: i32,
}
#[export(single_threaded)]
impl FastCounter {
pub fn new() -> Self {
FastCounter { value: 0 }
}
pub fn increment(&mut self) {
self.value += 1;
}
pub fn get(&self) -> i32 {
self.value
}
}
This compiles. No Mutex, no atomic operations, no overhead. But you’re making a promise: you will not call methods on this object from multiple threads simultaneously. Breaking that promise is undefined behavior.
When to use single_threaded
Use single_threaded when:
- The object is only accessed from the main thread (UI components, view models)
- You wrap the object in your own synchronization in the target language
- You’re building a single-threaded application (WASM, embedded)
- Profiling shows synchronization is a bottleneck and you can guarantee single-threaded access
Don’t use it just to avoid writing thread-safe code. The default (&self + Mutex) is safer and the overhead is often negligible.
Performance comparison
In benchmarks, single_threaded mode is roughly 4x faster for method calls that would otherwise need mutex locks:
| Mode | Time per 1000 increments |
|---|---|
&self + Mutex | ~5 μs |
&mut self + single_threaded | ~1 μs |
The difference matters in tight loops. For most applications, 5 microseconds per thousand calls is not a bottleneck.
Memory management
The Rust struct lives in Rust’s heap. The target language holds a reference to it. When the target language’s object is deallocated (garbage collected, reference count hits zero, etc.), BoltFFI drops the Rust struct.
You don’t need to manually free anything. But be aware: the Rust object stays alive as long as the target language holds a reference. If you store a class instance in a long-lived collection, the Rust memory stays allocated.
When to use classes vs data structs
Use #[data] structs when:
- The data is small and copied frequently
- There’s no behavior, just fields
- You’re passing data in and out of functions
Use #[export] classes when:
- The object has internal state that changes over time
- The object manages resources (files, connections, memory)
- You want to hide implementation details behind methods
- The object is expensive to copy
A Point { x, y } is data. A DatabaseConnection is a class.