1 unstable release
0.1.0 | May 8, 2020 |
---|
#542 in Audio
Used in reaper-macros
1.5MB
30K
SLoC
reaper-rs
Rust bindings for the REAPER C++ API.
Introduction
reaper-rs allows programmers to write plug-ins for the REAPER DAW (digital audio workstation) in the Rust programming language. It does so by providing raw Rust bindings for the REAPER C++ API and more convenient APIs on top of that.
Basics
reaper-rs consists of 4 production crates:
- reaper-macros
- reaper-low
- reaper-medium
reaper-high
(not yet published)
reaper-macros provides a simple attribute macro to simplify bootstrapping REAPER extension plug-ins.
The remaining crates represent the 3 different APIs of reaper-rs.
1. Low-level API
This API contains the raw bindings, nothing more. It's unsafe to a large extent and not intended to be used
directly. However, it serves as foundation for all the other APIs and is easy to keep up-to-date because it's
mostly auto-generated from reaper_plugin_functions.h
. It also can serve as last resort if a function has not
yet been implemented in the medium-level API (although I rather want encourage to contribute to the medium-level API
in such a case).
Status:
- crates.io: published
- API stability: approaching stable (quite polished already, breaking changes possible but not planned)
- Completion: ~95% (some virtual function calls still missing)
Example:
unsafe {
reaper.ShowConsoleMsg(c_str!("Hello world from reaper-rs low-level API!").as_ptr());
let track = reaper.GetTrack(null_mut(), 0);
reaper.DeleteTrack(track);
}
2. Medium-level API
This API builds on top of the low-level API. It exposes the original REAPER C++ API functions almost one to one, but in an idiomatic and type-safe way. It's a big step forward from the raw bindings and far more convenient to use. Its focus is on stability rather than exploring new paradigms. Since the high-level API is still very unstable, this is the recommended API.
Status:
- crates.io: published
- API stability: approaching stable (quite polished already, breaking changes possible but not planned)
- Completion: ~13% (solid foundation, roughly 100 of 800 functions implemented)
Example:
let functions = reaper.functions();
functions.show_console_msg("Hello world from reaper-rs medium-level API!");
let track = functions.get_track(CurrentProject, 0).ok_or("no tracks")?;
unsafe { functions.delete_track(track); }
3. High-level API
This API builds on top of the medium-level API. It makes a break with the "flat functions" nature of the original
REAPER C++ API and replaces it with an API that uses reactive and object-oriented paradigms. This break makes it
possible to provide an intuitive API which can be used completely without unsafe
.
Status:
- crates.io: not published
- API stability: unstable (in a state of flux, but working)
- Completion: ~13% (roughly on par with the medium-level API)
Example:
reaper.show_console_msg("Hello world from reaper-rs high-level API!");
reaper.track_removed().subscribe(|t| println!("Track {:?} removed", t));
let project = reaper.get_current_project();
let track = project.get_track_by_index(0).ok_or("no tracks")?;
project.remove_track(&track);
Usage
The procedure depends on the desired type of plug-in. In addition to writing REAPER extension plug-ins, reaper-rs can be used for developing VST plug-ins that use REAPER functions. No matter what you choose, the possibilities of interacting with REAPER are essentially the same. The difference between the two is the context in which your plug-in will run.
An extension plug-in is loaded when REAPER starts and remains active until REAPER quits, so it's perfectly suited to add some functions to REAPER which should be available globally. Popular examples are SWS and ReaPack (both written in C++).
A REAPER VST plug-in is loaded as track, take or monitoring FX as part of a particular REAPER project, just like any instrument or effect plug-in out there. That also means it can be instantiated multiple times. Examples are Playtime (written in C++) and ReaLearn (written in C++ but being ported to Rust).
In both cases you need to make a library crate of type cdylib
.
REAPER extension plug-in
Using the reaper_extension_plugin
macro is the fastest way to get going.
Add this to your Cargo.toml
:
[dependencies]
reaper-low = "0.1.0"
reaper-medium = "0.1.0"
reaper-macros = "0.1.0"
[lib]
name = "my_reaper_extension_plugin"
crate-type = ["cdylib"]
Then in your lib.rs
:
use std::error::Error;
use reaper_macros::reaper_extension_plugin;
use reaper_low::ReaperPluginContext;
use reaper_medium::Reaper;
#[reaper_extension_plugin]
fn plugin_main(context: &ReaperPluginContext) -> Result<(), Box<dyn Error>> {
let reaper = Reaper::load(context);
reaper.functions().show_console_msg("Hello world from reaper-rs medium-level API!");
Ok(())
}
The macro doesn't do much more than exposing an extern "C" ReaperPluginEntry()
function which calls
reaper_low::bootstrap_extension_plugin()
. So if for some reason you don't want to use
macros, have a look into the macro implementation. No magic there.
REAPER VST plug-in
A REAPER VST plug-in is nothing else than a normal VST plug-in which gets access to functions from the REAPER C++ API.
Luckily, there is a Rust crate for creating VST plug-ins already: vst-rs.
So all you need to do is write a VST plug-in via vst-rs and gain access to the REAPER functions by letting
reaper-rs access the HostCallback
function.
Add this to your Cargo.toml
:
[dependencies]
reaper-low = "0.1.0"
reaper-medium = "0.1.0"
vst = "0.2.0"
[lib]
name = "my_reaper_vst_plugin"
crate-type = ["cdylib"]
Then in your lib.rs
:
use vst::plugin::{Info, Plugin, HostCallback};
use reaper_low::ReaperPluginContext;
use reaper_medium::Reaper;
#[derive(Default)]
struct MyReaperVstPlugin {
host: HostCallback,
};
impl Plugin for MyReaperVstPlugin {
fn new(host: HostCallback) -> Self {
Self { host }
}
fn get_info(&self) -> Info {
Info {
name: "My REAPER VST plug-in".to_string(),
unique_id: 6830,
..Default::default()
}
}
fn init(&mut self) {
if let Ok(context) = ReaperPluginContext::from_vst_plugin(self.host) {
let reaper = Reaper::load(&context);
reaper
.functions()
.show_console_msg("Hello world from reaper-rs medium-level API!");
}
}
}
vst::plugin_main!(MyReaperVstPlugin);
Contribute
Contributions are very welcome! Especially to the medium-level API.
Directory structure
Directory entry | Content |
---|---|
/ |
Workspace root |
/main |
Production code |
/main/high |
High-level API (reaper-high ) |
/main/low |
Low-level API (reaper-low ) |
/main/macros |
Macros (reaper-macros ) |
/main/medium |
Medium-level API (reaper-medium ) |
/test |
Integration test code |
/test/test |
Integration test logic (reaper-test ) |
/test/test-extension-plugin |
Test extension plug-in (reaper-test-extension-plugin ) |
/test/test-vst-plugin |
Test VST plug-in (reaper-test-vst-plugin ) |
Low-level API code generation
reaper-low
has several generated files, namely bindings.rs
and reaper.rs
.
These files are not generated with each build though. In order to decrease build time and improve
IDE/debugging support, they are included in the Git repository like any other Rust source.
You can generate these files on demand (see build section), e.g. after you have adjusted
reaper_plugin_functions.h
. Depending on the operating system on which you generate the
files, bindings.rs
can look quite differently (whereas reaper.rs
should end up the
same). The reason is that reaper_plugin.h
includes windows.h
on Windows only.
On Linux and Mac OS X, it uses swell.h
(Simple Windows Emulation Layer) as a replacement.
Most parts of bindings.rs
are used to generate reaper.rs
and otherwise ignored, but a few
structs, types and constants are published as part of the raw
module. In order to have
deterministic builds, for now the convention is to only commit files generated on Linux.
Rationale: swell.h
is a sort of subset of windows.h
, so if things work
with the subset, they also should work for the superset. The inverse isn't true.
It's not clear yet whether this strategy is 100% correct, but for now it seems about right.
Besides, having the files generated on Linux is good for CI.
Build
Thanks to Cargo, building reaper-rs is not a big deal.
Windows
In the following you will find the instructions for Windows 10. Points where you have to consider the target architecture (REAPER 32-bit vs. 64-bit) are marked with ⭐ (the instructions assume 64-bit).
- Setup "Build tools for Visual Studio 2019"
- Rust uses native build toolchains. On Windows, it's necessary to use the MSVC (Microsoft Visual Studio C++) toolchain because REAPER plug-ins only work with that.
- Visual Studio downloads → All downloads → Tools for Visual Studio 2019 → Build Tools for Visual Studio 2019
- Start it and follow the installer instructions
- Required components
- Workloads tab
- "C++ build tools" (large box on the left)
- Make sure "Windows 10 SDK" is checked on the right side (usually it is)
- Language packs
- English
- Workloads tab
- Setup Rust
- Download and execute
rustup-init.exe
- Accept the defaults
- Set the correct toolchain default (nightly toolchain is not necessary if you only want to build
reaper-low
andreaper-medium
) ⭐rustup default nightly-x86_64-pc-windows-msvc
- Download and execute
- Download and install Git for Windows
- Clone the reaper-rs Git repository
git clone --recurse-submodules https://github.com/helgoboss/reaper-rs.git`
- Build reaper-rs
cd reaper-rs cargo build
Regenerate the low-level API (the resulting code should not be pushed!):
- Download and install LLVM for Windows 64-bit ⭐
- Build with the
generate
feature enabledcd main\low cargo build --features generate cargo fmt
Linux
Complete instructions to build reaper-rs from a fresh Ubuntu 18.04.3 LTS installation:
# Install basic stuff
sudo apt update
sudo apt install curl git build-essential -y
# Install Rust
curl --proto '=https' --tlsv1.2 -sSf https://sh.rustup.rs | sh # choose 1 (default)
source $HOME/.cargo/env
# Using nightly is not necessary if you want to build just the low-level or medium-level API!
rustup default nightly
# Clone reaper-rs
cd Downloads
git clone --recurse-submodules https://github.com/helgoboss/reaper-rs.git
cd reaper-rs
cargo build
Make the test plug-ins available in REAPER:
- Download REAPER for Linux and start it at least one time.
- Create symbolic links
ln -s $HOME/Downloads/reaper-rs/target/debug/libreaper_test_extension_plugin.so $HOME/.config/REAPER/UserPlugins/reaper_test_extension_plugin.so mkdir -p $HOME/.config/REAPER/UserPlugins/FX ln -s $HOME/Downloads/reaper-rs/target/debug/libreaper_test_vst_plugin.so $HOME/.config/REAPER/UserPlugins/FX/reaper_test_extension_plugin.so
Regenerate the low-level API:
cd main/low
cargo build --features generate
cargo fmt
Mac OS X
To be done
Test
When building the complete reaper-rs workspace, 3 test crates are produced:
reaper-test
reaper-test-extension-plugin
reaper-test-vst-plugin
reaper-test
provides an integration test that is supposed to be run in REAPER itself. This is the main testing
mechanism for reaper-rs. reaper-test-extension-plugin
and reaper-test-vst-plugin
are both test plug-ins
which register the integration test as REAPER action.
Running the integration test is not only a good way to find reaper-rs regression bugs, but can also help to expose subtle changes in the REAPER C++ API itself. Currently, the test assertions are very strict in order to reveal even the slightest deviations.
Project background
reaper-rs has been born as part of an effort to port the REAPER VST plug-in ReaLearn to Rust and publish it as open-source project. The high-level API is heavily inspired by ReaPlus, a C++ facade for the native REAPER C++ API, which is a basic building block of the original ReaLearn.
Dependencies
~1.1–2.1MB
~39K SLoC