Skip to content

Commit 2c3294d

Browse files
committed
Initial commit with working implementation
1 parent 20b25e8 commit 2c3294d

File tree

10 files changed

+270
-50
lines changed

10 files changed

+270
-50
lines changed

Cargo.lock

+31
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

Cargo.toml

+1
Original file line numberDiff line numberDiff line change
@@ -10,6 +10,7 @@ members = [
1010
"ledmatrix",
1111
"fl16-inputmodules",
1212
"inputmodule-control",
13+
"dbus-monitor"
1314
]
1415
# Don't build all of them by default.
1516
# Because that'll lead to all features enabled in `fl16-inputmodules` and it

dbus-monitor/Cargo.toml

+16
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,16 @@
1+
[package]
2+
edition = "2021"
3+
name = "framework-inputmodule-dbus-monitor"
4+
version = "0.0.1"
5+
6+
[dependencies]
7+
dbus = { version = "0.9.7", features = ["vendored"] }
8+
clap = { version = "4.0", features = ["derive"] }
9+
10+
[dependencies.libdbus-sys]
11+
default-features = false
12+
features = ["vendored"]
13+
version = "0.2.5"
14+
15+
[dependencies.inputmodule-control]
16+
path = "../inputmodule-control"

dbus-monitor/src/dbus_monitor.rs

+120
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,120 @@
1+
// Mostly taken from https://github.com/diwic/dbus-rs/blob/366a6dca3d20745f5dcfa006b1b1311c376d420e/dbus/examples/monitor.rs
2+
3+
// This programs implements the equivalent of running the "dbus-monitor" tool
4+
// modified to only search for messages in the org.freedesktop.Notifications interface
5+
use dbus::blocking::Connection;
6+
use dbus::channel::MatchingReceiver;
7+
use dbus::message::MatchRule;
8+
9+
use dbus::Message;
10+
use dbus::MessageType;
11+
12+
use std::process::Command;
13+
use std::time::Duration;
14+
15+
use crate::utils;
16+
17+
use inputmodule_control::inputmodule::find_serialdevs;
18+
use inputmodule_control::commands::ClapCli;
19+
use inputmodule_control::inputmodule::{serial_commands};
20+
use clap::{Parser, Subcommand};
21+
22+
fn handle_message(msg: &Message) {
23+
println!("Got message from DBus: {:?}", msg);
24+
25+
run_inputmodule_command(vec!["led-matrix", "--pattern", "all-on", "--blinking"]);
26+
// Can't seem to get to this second command
27+
run_inputmodule_command(vec!["led-matrix", "--brightness", "0"]);
28+
29+
println!("Message handled");
30+
}
31+
32+
pub fn run_inputmodule_command(args: Vec<&str>){
33+
let bin_placeholder = vec!["bin-placeholder"];
34+
let full_args = [&bin_placeholder[..], &args[..]].concat();
35+
let args = ClapCli::parse_from(full_args);
36+
37+
serial_commands(&args);
38+
}
39+
40+
pub fn run_dbus_monitor() {
41+
// First open up a connection to the desired bus.
42+
let conn = Connection::new_session().expect("D-Bus connection failed");
43+
println!("Connection to DBus session monitor opened");
44+
45+
// Second create a rule to match messages we want to receive; in this example we add no
46+
// further requirements, so all messages will match
47+
let rule = MatchRule::new()
48+
.with_type(MessageType::MethodCall)
49+
.with_interface("org.freedesktop.Notifications")
50+
.with_member("Notify");
51+
52+
// Try matching using new scheme
53+
let proxy = conn.with_proxy(
54+
"org.freedesktop.DBus",
55+
"/org/freedesktop/DBus",
56+
Duration::from_millis(5000),
57+
);
58+
let result: Result<(), dbus::Error> = proxy.method_call(
59+
"org.freedesktop.DBus.Monitoring",
60+
"BecomeMonitor",
61+
(vec![rule.match_str()], 0u32),
62+
);
63+
println!("Monitoring DBus channel...");
64+
65+
match result {
66+
// BecomeMonitor was successful, start listening for messages
67+
Ok(_) => {
68+
conn.start_receive(
69+
rule,
70+
Box::new(|msg, _| {
71+
println!("Start listening");
72+
handle_message(&msg);
73+
true
74+
}),
75+
);
76+
}
77+
// BecomeMonitor failed, fallback to using the old scheme
78+
Err(e) => {
79+
eprintln!(
80+
"Failed to BecomeMonitor: '{}', falling back to eavesdrop",
81+
e
82+
);
83+
84+
// First, we'll try "eavesdrop", which as the name implies lets us receive
85+
// *all* messages, not just ours.
86+
let rule_with_eavesdrop = {
87+
let mut rule = rule.clone();
88+
rule.eavesdrop = true;
89+
rule
90+
};
91+
92+
let result = conn.add_match(rule_with_eavesdrop, |_: (), _, msg| {
93+
handle_message(&msg);
94+
true
95+
});
96+
97+
match result {
98+
Ok(_) => {
99+
// success, we're now listening
100+
}
101+
// This can sometimes fail, for example when listening to the system bus as a non-root user.
102+
// So, just like `dbus-monitor`, we attempt to fallback without `eavesdrop=true`:
103+
Err(e) => {
104+
eprintln!("Failed to eavesdrop: '{}', trying without it", e);
105+
conn.add_match(rule, |_: (), _, msg| {
106+
handle_message(&msg);
107+
true
108+
})
109+
.expect("add_match failed");
110+
}
111+
}
112+
}
113+
}
114+
115+
// Loop and print out all messages received (using handle_message()) as they come.
116+
// Some can be quite large, e.g. if they contain embedded images..
117+
loop {
118+
conn.process(Duration::from_millis(1000)).unwrap();
119+
}
120+
}

dbus-monitor/src/main.rs

+6
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,6 @@
1+
mod dbus_monitor;
2+
mod utils;
3+
4+
fn main() {
5+
dbus_monitor::run_dbus_monitor();
6+
}

dbus-monitor/src/utils.rs

+27
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,27 @@
1+
use std::process::Child;
2+
use std::process::Command;
3+
use std::time::Duration;
4+
use std::time::Instant;
5+
6+
pub fn run_command_with_timeout(
7+
command: &str,
8+
timeout_seconds: u64,
9+
) -> Result<Child, Box<dyn std::error::Error>> {
10+
let mut child_process = Command::new("bash").arg("-c").arg(command).spawn()?;
11+
12+
let start_time = Instant::now();
13+
while start_time.elapsed() < Duration::from_secs(timeout_seconds) {
14+
if let Some(exit_status) = child_process.try_wait()? {
15+
println!(
16+
"Command finished before the specified duration. Exit status: {:?}",
17+
exit_status
18+
);
19+
return Ok(child_process);
20+
}
21+
}
22+
23+
child_process.kill()?; // Attempt to kill the process
24+
25+
println!("Command terminated after {} seconds", timeout_seconds);
26+
Ok(child_process)
27+
}

inputmodule-control/src/commands.rs

+50
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,50 @@
1+
#![allow(clippy::needless_range_loop)]
2+
#![allow(clippy::single_match)]
3+
4+
use crate::inputmodule::{B1_LCD_PID, LED_MATRIX_PID};
5+
use crate::b1display::B1DisplaySubcommand;
6+
use crate::c1minimal::C1MinimalSubcommand;
7+
use crate::ledmatrix::LedMatrixSubcommand;
8+
9+
use clap::{Parser, Subcommand};
10+
11+
#[derive(Subcommand, Debug)]
12+
pub enum Commands {
13+
LedMatrix(LedMatrixSubcommand),
14+
B1Display(B1DisplaySubcommand),
15+
C1Minimal(C1MinimalSubcommand),
16+
}
17+
18+
impl Commands {
19+
pub fn to_pid(&self) -> u16 {
20+
match self {
21+
Self::LedMatrix(_) => LED_MATRIX_PID,
22+
Self::B1Display(_) => B1_LCD_PID,
23+
Self::C1Minimal(_) => 0x22,
24+
}
25+
}
26+
}
27+
28+
/// RAW HID and VIA commandline for QMK devices
29+
#[derive(Parser, Debug)]
30+
#[command(version, arg_required_else_help = true)]
31+
pub struct ClapCli {
32+
#[command(subcommand)]
33+
pub command: Option<Commands>,
34+
35+
/// List connected HID devices
36+
#[arg(short, long)]
37+
pub list: bool,
38+
39+
/// Verbose outputs to the console
40+
#[arg(short, long)]
41+
pub verbose: bool,
42+
43+
/// Serial device, like /dev/ttyACM0 or COM0
44+
#[arg(long)]
45+
pub serial_dev: Option<String>,
46+
47+
/// Retry connecting to the device until it works
48+
#[arg(long)]
49+
pub wait_for_device: bool,
50+
}

inputmodule-control/src/inputmodule.rs

+6-5
Original file line numberDiff line numberDiff line change
@@ -12,6 +12,7 @@ use crate::b1display::{B1Pattern, Fps, PowerMode};
1212
use crate::c1minimal::Color;
1313
use crate::font::{convert_font, convert_symbol};
1414
use crate::ledmatrix::{Game, GameOfLifeStartParam, Pattern};
15+
use crate::commands::ClapCli;
1516

1617
const FWK_MAGIC: &[u8] = &[0x32, 0xAC];
1718
pub const FRAMEWORK_VID: u16 = 0x32AC;
@@ -98,7 +99,7 @@ fn match_serialdevs(
9899
}
99100
}
100101

101-
pub fn find_serialdevs(args: &crate::ClapCli, wait_for_device: bool) -> (Vec<String>, bool) {
102+
pub fn find_serialdevs(args: &ClapCli, wait_for_device: bool) -> (Vec<String>, bool) {
102103
let mut serialdevs: Vec<String>;
103104
let mut waited = false;
104105
loop {
@@ -150,7 +151,7 @@ pub fn find_serialdevs(args: &crate::ClapCli, wait_for_device: bool) -> (Vec<Str
150151
}
151152

152153
/// Commands that interact with serial devices
153-
pub fn serial_commands(args: &crate::ClapCli) {
154+
pub fn serial_commands(args: &ClapCli) {
154155
let (serialdevs, waited): (Vec<String>, bool) = find_serialdevs(args, args.wait_for_device);
155156
if serialdevs.is_empty() {
156157
println!("Failed to find serial devivce. Please manually specify with --serial-dev");
@@ -163,7 +164,7 @@ pub fn serial_commands(args: &crate::ClapCli) {
163164

164165
match &args.command {
165166
// TODO: Handle generic commands without code deduplication
166-
Some(crate::Commands::LedMatrix(ledmatrix_args)) => {
167+
Some(crate::commands::Commands::LedMatrix(ledmatrix_args)) => {
167168
for serialdev in &serialdevs {
168169
if args.verbose {
169170
println!("Selected serialdev: {:?}", serialdev);
@@ -258,7 +259,7 @@ pub fn serial_commands(args: &crate::ClapCli) {
258259
clock_cmd(&serialdevs);
259260
}
260261
}
261-
Some(crate::Commands::B1Display(b1display_args)) => {
262+
Some(crate::commands::Commands::B1Display(b1display_args)) => {
262263
for serialdev in &serialdevs {
263264
if args.verbose {
264265
println!("Selected serialdev: {:?}", serialdev);
@@ -308,7 +309,7 @@ pub fn serial_commands(args: &crate::ClapCli) {
308309
}
309310
}
310311
}
311-
Some(crate::Commands::C1Minimal(c1minimal_args)) => {
312+
Some(crate::commands::Commands::C1Minimal(c1minimal_args)) => {
312313
for serialdev in &serialdevs {
313314
if args.verbose {
314315
println!("Selected serialdev: {:?}", serialdev);

inputmodule-control/src/lib.rs

+9
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,9 @@
1+
#![allow(clippy::needless_range_loop)]
2+
3+
mod b1display;
4+
mod c1minimal;
5+
mod font;
6+
pub mod inputmodule;
7+
mod ledmatrix;
8+
pub mod commands;
9+

0 commit comments

Comments
 (0)