Skip to content

Commit 84e61cf

Browse files
Fixes & Enhancements for Client Demo
Fixes & Enhancements for Client Demo
2 parents 8547713 + 1d717a8 commit 84e61cf

File tree

9 files changed

+69
-72
lines changed

9 files changed

+69
-72
lines changed

relay/src/main.rs

+34-24
Original file line numberDiff line numberDiff line change
@@ -20,7 +20,9 @@ use interprocess::local_socket::{
2020
};
2121

2222
fn main() -> iced::Result {
23-
let (tx, rx) = std::sync::mpsc::channel();
23+
let (tx_kill, rx_kill) = std::sync::mpsc::channel();
24+
25+
let (txx, rxx) = std::sync::mpsc::channel();
2426
// let _ = tx.send(()); // temp
2527
let handle = thread::spawn(move || {
2628
// sample pulled directly from `interprocess` documentation
@@ -49,7 +51,7 @@ fn main() -> iced::Result {
4951
let mut buffer = String::with_capacity(128);
5052

5153
for conn in listener.incoming() {
52-
let conn = match (rx.try_recv(), conn) {
54+
let conn = match (rx_kill.try_recv(), conn) {
5355
(Ok(()), _) => return,
5456
(_, Ok(c)) => {
5557
println!("success");
@@ -100,54 +102,59 @@ fn main() -> iced::Result {
100102
_ => break,
101103
};
102104
match conn.read_line(&mut buffer) {
103-
Ok(0) => continue,
105+
/* Ok(0) => {
106+
println!("Termination signal received from baton");
107+
continue;
108+
} */
104109
Ok(_) => recvs[idx] += 1,
105110
Err(e) if e.kind() == std::io::ErrorKind::WouldBlock => continue,
106111
_ => panic!(),
107112
}
108113
}
109114

110115
println!("recvs: {recvs:?}");
116+
buffer.clear();
111117

112-
// one minute of receiving test data from the plugin
113-
println!("Beginning 1MIN_RECV test...");
114-
let start = std::time::Instant::now();
118+
// Continuously receive data from plugin
115119
loop {
116-
let elapsed = start.elapsed();
117-
if elapsed >= Duration::from_secs(60) {
118-
break;
119-
}
120-
121120
// TODO: Create display in GUI for this instead of printing to stdout. Just doing this for ease for the
122121
// demo for the time being.
123122
match conn.read_line(&mut buffer) {
124-
Ok(0) => {
125-
println!(
126-
"Other end terminated connection after {elapsed:?}. Test complete!"
127-
);
128-
break;
123+
Ok(s) if s == 0 || buffer.len() == 0 => {
124+
buffer.clear();
125+
continue;
126+
}
127+
Ok(s) => {
128+
// remove trailing newline
129+
let _ = buffer.pop();
130+
131+
// display
132+
println!("Got: {buffer} ({s} bytes read)");
133+
134+
if let Ok(num) = buffer.parse::<f32>() {
135+
let _ = txx.send(num);
136+
}
137+
buffer.clear();
129138
}
130-
Ok(s) => println!("Got: {buffer} ({s} bytes)"),
131139
Err(e) if e.kind() == std::io::ErrorKind::WouldBlock => continue,
132140
Err(e) => panic!("Got err {e}"),
133141
}
134142
}
135-
println!("1MIN_RECV test complete!");
136-
137-
break;
138143
}
139144
});
140145

141146
iced::application("RELAY", update, view)
147+
.window_size((250.0, 100.0))
142148
.exit_on_close_request(false)
143149
.subscription(subscribe)
144150
.run_with(|| {
145151
// for pre-run state initialization
146152
let state = State {
147153
elapsed_time: Duration::ZERO,
148-
flicker: false,
149154
thread_handle: Some(handle),
150-
tx: Some(tx),
155+
tx_kill: Some(tx_kill),
156+
rx_baton: Some(rxx),
157+
latest_baton_send: None,
151158
};
152159
(state, Task::none())
153160
})
@@ -156,13 +163,16 @@ fn main() -> iced::Result {
156163
fn subscribe(_state: &State) -> iced::Subscription<Message> {
157164
use Message as M;
158165

166+
// Subscription for displaying elapsed time -- temporary
159167
let time_sub = every(Duration::from_secs(1)).map(|_| M::Update);
160-
let flicker_sub = every(Duration::from_millis(500)).map(|_| M::Flicker);
168+
169+
// Subscription to re-check the baton connection
170+
let baton_sub = every(Duration::from_millis(10)).map(|_| M::BatonMessage);
161171

162172
// Subscription to send a message when the window close button (big red X) is clicked.
163173
// Needed to execute cleanup operations before actually shutting down, such as saving etc
164174
let window_close = iced::window::close_requests().map(|id| M::WindowCloseRequest(id));
165175

166176
// combine and return all subscriptions as one subscription to satisfy the return type
167-
iced::Subscription::batch([time_sub, flicker_sub, window_close])
177+
iced::Subscription::batch([time_sub, baton_sub, window_close])
168178
}

relay/src/message.rs

+3-3
Original file line numberDiff line numberDiff line change
@@ -3,9 +3,9 @@ pub(crate) enum Message {
33
// generic time update signal
44
Update,
55

6-
// for testing subscription batching, temporary
7-
Flicker,
8-
96
// signal for pre-shutdown procedures and the ID for our window, which is to be closed
107
WindowCloseRequest(iced::window::Id),
8+
9+
// signal to check the baton thread
10+
BatonMessage,
1111
}

relay/src/state.rs

+4-2
Original file line numberDiff line numberDiff line change
@@ -3,9 +3,11 @@ use std::thread::JoinHandle;
33
use iced::time::Duration;
44

55
#[derive(Default)]
6+
#[allow(unused)]
67
pub(crate) struct State {
78
pub elapsed_time: Duration,
8-
pub flicker: bool,
99
pub thread_handle: Option<JoinHandle<()>>,
10-
pub tx: Option<std::sync::mpsc::Sender<()>>,
10+
pub tx_kill: Option<std::sync::mpsc::Sender<()>>,
11+
pub rx_baton: Option<std::sync::mpsc::Receiver<f32>>,
12+
pub latest_baton_send: Option<f32>,
1113
}

relay/src/update.rs

+7-5
Original file line numberDiff line numberDiff line change
@@ -11,13 +11,9 @@ pub(crate) fn update(state: &mut State, message: Message) -> Task<Message> {
1111
state.elapsed_time += Duration::from_secs(1);
1212
Task::none()
1313
}
14-
M::Flicker => {
15-
state.flicker = !state.flicker;
16-
Task::none()
17-
}
1814
M::WindowCloseRequest(id) => {
1915
// pre-shutdown operations go here
20-
if let Some(ref tx) = state.tx {
16+
if let Some(ref tx) = state.tx_kill {
2117
let _ = tx.send(());
2218
}
2319

@@ -37,6 +33,12 @@ pub(crate) fn update(state: &mut State, message: Message) -> Task<Message> {
3733
// necessary to actually shut down the window, otherwise the close button will appear to not work
3834
iced::window::close(id)
3935
}
36+
M::BatonMessage => {
37+
if let Some(num) = state.rx_baton.as_ref().and_then(|rx| rx.try_recv().ok()) {
38+
state.latest_baton_send = Some(num);
39+
}
40+
Task::none()
41+
}
4042
_ => Task::none(),
4143
}
4244
}

relay/src/view.rs

+6-2
Original file line numberDiff line numberDiff line change
@@ -6,10 +6,14 @@ use iced::{
66
use crate::{Message, State};
77

88
pub(crate) fn view(state: &State) -> Element<Message> {
9+
let baton_data = match state.latest_baton_send {
10+
Some(num) => format!("[BATON] Pilot Elevation: {num:.3} ft"),
11+
None => "No data from baton.".into(),
12+
};
13+
914
column![
10-
text("Hello, world."),
1115
text(format!("Elapsed time: {:?}", state.elapsed_time)),
12-
text(format!("Flicker is: {}", state.flicker))
16+
text(baton_data)
1317
]
1418
.into()
1519
}

xplane_plugin/meson.build

+1-1
Original file line numberDiff line numberDiff line change
@@ -74,7 +74,7 @@ lib = shared_library(
7474
# dependencies: [winsock, xplm, xpwidgets],
7575
include_directories: [inc_dir, lib_dir],
7676
cpp_args: compiler_args,
77-
# link_args: ['-lntdll', '-static-libstdc++', '-static-libgcc', '-static'],
77+
link_args: ['-lntdll', '-static-libstdc++', '-static-libgcc', '-static'],
7878
name_prefix: 'Pilot',
7979
name_suffix: 'xpl'
8080
)

xplane_plugin/src/pilotdatasync-xp11.cpp

+1-1
Original file line numberDiff line numberDiff line change
@@ -483,6 +483,6 @@ void draw_pilotdatasync_plugin(XPLMWindowID in_window_id, void *in_refcon) {
483483
NULL, xplmFont_Proportional);
484484

485485
// BATON TEST
486-
baton->send(currentPilotAirspeed);
486+
baton->send(currentPilotElevation);
487487
//
488488
}

xplane_plugin/subprojects/baton/ali_log.txt

Whitespace-only changes.

xplane_plugin/subprojects/baton/src/lib.rs

+13-34
Original file line numberDiff line numberDiff line change
@@ -7,10 +7,9 @@ Keep in mind that what is shown here is not entirely typical of Rust code, as th
77
in order to facilitate the aforementioned interoperability.
88
*/
99

10-
use crossbeam::channel::{unbounded, Receiver, Sender, TryRecvError};
10+
use crossbeam::channel::{unbounded, Receiver, Sender};
1111
use interprocess::local_socket::{
12-
prelude::*, GenericFilePath, GenericNamespaced, ListenerNonblockingMode, NameType, Stream,
13-
ToFsName,
12+
prelude::*, GenericFilePath, GenericNamespaced, NameType, Stream, ToFsName,
1413
};
1514
use std::{
1615
io::{prelude::*, BufReader},
@@ -45,7 +44,7 @@ impl ThreadWrapper {
4544
pub fn start(&mut self) {
4645
// Rust does not have nulls. If you do not understand Options, read the Rust Book chapter 6.1
4746
let None = self.thread else {
48-
// println!("Thread already started!");
47+
println!("Thread already started!");
4948
return;
5049
};
5150

@@ -80,44 +79,23 @@ impl ThreadWrapper {
8079
// like above because BufReader implemenets the Read Trait.
8180
conn.read_line(&mut buffer).unwrap();
8281

83-
// print!("[RUST] Server answered: {buffer}");
82+
print!("[RUST] Server answered: {buffer}");
8483

8584
// send a bunch of data for the frequency test in one-second intervals
8685
for _ in 0..3 {
87-
for _ in 0..100000 {
88-
let _ = conn.get_mut().write_all(b"\n");
86+
for _ in 0..5 {
87+
let _ = conn.get_mut().write_all(b"0\n");
8988
}
9089
std::thread::sleep(std::time::Duration::from_secs(1));
9190
}
9291

93-
let _ = conn.get_mut().flush();
94-
95-
/* loop {
96-
match rx.try_recv() {
97-
Ok(ChannelSignal::Stop) => return,
98-
Ok(ChannelSignal::Send(n)) => {
99-
let _ = conn.get_mut().write_all(n.to_string().as_bytes());
100-
}
101-
Err(TryRecvError::Disconnected) => return,
102-
Err(TryRecvError::Empty) => thread::sleep(std::time::Duration::from_millis(50)),
103-
}
104-
} */
105-
106-
// 1MIN_RECV test
107-
let start = std::time::Instant::now();
92+
// Continuously send values
10893
loop {
109-
if start.elapsed() >= std::time::Duration::from_secs(60) {
110-
break;
111-
}
112-
113-
// dummy send
114-
let _ = conn.get_mut().write_all(b"123\n");
115-
11694
for message in rx.try_iter() {
11795
let _ = match message {
11896
ChannelSignal::Send(n) => {
119-
let s = format!("{n}\n");
120-
conn.get_mut().write_all(s.as_bytes())
97+
let s: String = format!("{n}\n");
98+
let _ = conn.get_mut().write_all(s.as_bytes());
12199
}
122100
ChannelSignal::Stop => return,
123101
};
@@ -130,10 +108,11 @@ impl ThreadWrapper {
130108

131109
pub fn stop(&mut self) {
132110
let Some(handle) = self.thread.take() else {
133-
// println!("[RUST] No currently running thread.");
111+
println!("[RUST] No currently running thread.");
134112
return;
135113
};
136114

115+
println!("[RUST] Attempting to stop thread...");
137116
// Signal the thread to stop operations
138117
if let Some(tx) = &self.tx {
139118
let _ = tx.send(ChannelSignal::Stop);
@@ -142,12 +121,12 @@ impl ThreadWrapper {
142121
// Block until thread completes
143122
let _ = handle.join();
144123

145-
// println!("[RUST] Thread stopped successfully!");
124+
println!("[RUST] Thread stopped successfully!");
146125
self.thread = None;
147126
}
148127

149128
fn send(&mut self, num: f32) {
150-
// println!("[RUST] Attempted to send {num:?}");
129+
println!("[RUST] Attempted to send {num:?}");
151130
if let Some(tx) = &self.tx {
152131
let _ = tx.send(ChannelSignal::Send(num));
153132
}

0 commit comments

Comments
 (0)