1
  2
  3
  4
  5
  6
  7
  8
  9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
use async_std::channel::{bounded, Sender};
use async_std::task::{spawn, JoinHandle};
use futures::future::{select, try_join_all, Either};
use futures::pin_mut;
use futures::prelude::*;
use std::collections::HashMap;
use std::num::NonZeroU16;

use super::*;
use crate::*;
use async_rustbus::rustbus_core::message_builder::MessageBuilder;
use async_rustbus::rustbus_core::path::{ObjectPath, ObjectPathBuf};
use async_rustbus::{CallAction, RpcConn};

mod one_time;
use one_time::{one_time_channel, OneSender};

mod chrc;
pub use chrc::{Characteristic, ShouldNotify};

mod service;
pub use service::Service;

mod descriptor;
pub use descriptor::Descriptor;

/// Use to build an application containing local GATT services that can be used by remote devices.
pub struct Application {
    services: Vec<Service>,
    dest: Option<String>,
    hci: ObjectPathBuf,
    base_path: ObjectPathBuf,
    conn: Arc<RpcConn>,
    filter: bool,
}

struct WorkerData {
    senders: Vec<Sender<WorkerMsg>>,
    serv_cnt: usize,
    //base_path: ObjectPathBuf,
    conn: Arc<RpcConn>,
    filter: Option<Arc<str>>,
}
enum WorkerJoin {
    App(Application),
    Serv(Service),
    Chrc(Characteristic),
    Desc(Descriptor),
}
struct Worker {
    sender: Sender<WorkerMsg>,
    handle: JoinHandle<Result<WorkerJoin, Error>>,
}
impl WorkerData {
    async fn handle_app(&mut self, call: &MarshalledMessage) -> Result<(), Error> {
        let reply = if is_msg_bluez(call, self.filter.as_deref()) {
            match call.dynheader.interface.as_ref().unwrap().as_str() {
                INTRO_IF => self.handle_app_intro(call),
                //PROPS_IF => self.handle_prop(call),
                OBJMGR_IF => self.handle_obj_mgr(call).await?,
                _ => unimplemented!(),
            }
        } else {
            call.dynheader.make_error_response("PermissionDenied", None)
        };
        self.conn.send_msg_wo_rsp(&reply).await?;
        Ok(())
    }
    fn handle_app_intro(&self, call: &MarshalledMessage) -> MarshalledMessage {
        let mut reply = call.dynheader.make_response();
        let mut s = String::from(introspect::INTROSPECT_FMT_P1);
        s.push_str(introspect::MANGAGER_STR);
        let children: Vec<String> = (0..self.serv_cnt)
            .map(|u| format!("service{:04x}", u))
            .collect();
        introspect::child_nodes(&children, &mut s);
        s.push_str(introspect::INTROSPECT_FMT_P3);
        reply.body.push_param(s).unwrap();
        reply
    }
    async fn handle_obj_mgr(
        &mut self,
        call: &MarshalledMessage,
    ) -> Result<MarshalledMessage, Error> {
        type IfAndProps =
            HashMap<&'static str, HashMap<&'static str, BluezOptions<'static, 'static>>>;
        type FutTuple = (ObjectPathBuf, IfAndProps);
        let obj_iter = self.senders.iter().map(|sender| async move {
            let (send, recv) = one_time_channel::<FutTuple>();
            sender.send(WorkerMsg::ObjMgr(send)).await?;
            let ret = recv.recv().await?;
            Result::<_, Error>::Ok(ret)
        });
        let map: HashMap<ObjectPathBuf, IfAndProps> =
            try_join_all(obj_iter).await?.into_iter().collect();
        eprintln!("{:?}", map);
        let mut res = call.dynheader.make_response();
        res.body.push_param(map).unwrap();
        Ok(res)
    }
}
impl Application {
    /// Create new `Application` that is assocated with the given adapter.
    /// 
    /// This app will use the given `conn` to interact with Bluez to provide the services.
    pub fn new_with_conn(hci: &Adapter, base_path: &str, conn: Arc<RpcConn>) -> Self {
        let hci = hci.path.clone();
        Self {
            services: Vec::new(),
            base_path: ObjectPathBuf::from_str(base_path).unwrap(),
            dest: None,
            filter: true,
            hci,
            conn,
        }
    }
    /// Create new `Application` that is assocated with the given adapter.
    ///
    /// The connection used to interact with Bluez daemon is the same as the one used in `hci`.
    pub fn new(hci: &Adapter, base_path: &str) -> Self {
        let conn = hci.conn.clone();
        Self::new_with_conn(hci, base_path, conn)
    }
    /// Requests a DBus name for the `Application` using its DBus connection.
    ///
    /// If the destination is in use this will fail and not place the connection in the name queue.
    /// # Notes
    /// * When the application is dropped, the underlying connection will not drop the name.
    pub async fn set_dbus_name(&mut self, dest: Option<String>) -> Result<(), Error> {
        if self.dest == dest {
            return Ok(());
        }
        if let Some(dest) = &self.dest {
            let mut call = MessageBuilder::new()
                .call("ReleaseName")
                .at("org.freedesktop.DBus")
                .on("/org/freedesktop.DBus")
                .with_interface("org.freedesktop.Dbus")
                .build();
            call.body.push_param(dest).unwrap();
            let res = self.conn.send_msg_w_rsp(&call).await?.await?;
            is_msg_err_empty(&res)?;
            self.dest = None;
        }
        if let Some(dest) = dest {
            let call = rustbus_core::standard_messages::request_name(&dest, 4);
            let res = self.conn.send_msg_w_rsp(&call).await?.await?;
            let flag: u32 = is_msg_err(&res).unwrap();
            if flag == 2 || flag == 3 {
                return Err(Error::Dbus("Name taken!".to_string()));
            }
            self.dest = Some(dest);
        }
        Ok(())
    }
    /// Get the DBus name currently in use for the `Application`.
    #[inline]
    pub fn get_dbus_dest(&self) -> Option<&str> {
        self.dest.as_deref()
    }
    /// Add a GATT service to the `Application`.
    pub fn add_service(&mut self, mut service: Service) {
        assert!(
            !service.characteristics().is_empty(),
            "Bluez doesn't handle services without chrcs correctly."
        );
        match self.find_serv_unsorted(service.uuid()) {
            Some(old) => std::mem::swap(old, &mut service),
            None => self.services.push(service),
        }
    }
    /// Remove a GATT service from the `Application`.
    pub fn remove_service(&mut self, uuid: UUID) -> Option<Service> {
        let idx = self.services.iter().position(|s| s.uuid() == uuid)?;
        Some(self.services.remove(idx))
    }
    /// Set whether the `Application` should filter out DBus messages coming from sources 
    /// other than the Bluez daemon.
    /// 
    /// `true` (the default) will filter out messages while `false` will allow all messages.
    /// This can be useful debugging, 
    /// but users should be cautious 
    /// as this will give all users on the local device access to the application.
    #[inline]
    pub fn set_filter(&mut self, filter: bool) {
        self.filter = filter;
    }
    /// Get whether the `Application` is filtering out incoming DBus messages from sources 
    /// other than the Bluez daemon.
    #[inline]
    pub fn get_filter(&self) -> bool {
        self.filter
    }
    /// Get a reference to `Arc<async_rustbus::RpcConn>` used to communicate with the Bluez daemon.
    pub fn conn(&self) -> &Arc<RpcConn> {
        &self.conn
    }
    #[doc(hidden)]
    pub fn zero_handles(&mut self) {
        unimplemented!()
    }
    fn find_serv_unsorted(&mut self, uuid: UUID) -> Option<&mut Service> {
        self.services.iter_mut().find(|s| s.uuid() == uuid)
    }
    async fn begin_reg_call(
        &self,
    ) -> std::io::Result<impl Future<Output = std::io::Result<MarshalledMessage>> + '_> {
        let mut call = MessageBuilder::new()
            .call(String::from("RegisterApplication"))
            .at(String::from("org.bluez"))
            .on(String::from(self.hci.clone()))
            .with_interface(String::from(BLUEZ_MGR_IF))
            .build();
        call.body.push_param(&*self.base_path).unwrap();
        let options: HashMap<&str, BluezOptions> = HashMap::new();
        call.body.push_param(&options).unwrap();
        Ok(self.conn.send_msg_w_rsp(&call).await?)
    }
    /// Register the application with Bluez daemon, and begin a worker thread to run the service.
    ///
    /// # Notes
    /// * This makes the org.bluez.GattManager1.RegisterApplication DBus call, starting the application.
    pub async fn register(mut self) -> Result<AppWorker, Error> {
        assert_ne!(self.services.len(), 0);
        let filter = if self.filter {
            let mut call = MessageBuilder::new()
                .call("GetNameOwner")
                .on("/org/freedesktop/DBus")
                .with_interface("org.freedesktop.DBus")
                .at("org.freedesktop.DBus")
                .build();
            call.body.push_param(BLUEZ_DEST).unwrap();
            let res = self.conn.send_msg_w_rsp(&call).await?.await?;
            let name: String = is_msg_err(&res)?;
            if name == "" {
                unimplemented!()
            }
            Some(name.into())
        } else {
            None
        };
        if matches!(
            self.conn.get_call_path_action("/").await,
            Some(CallAction::Drop) | Some(CallAction::Nothing)
        ) {
            self.conn
                .insert_call_path("/", CallAction::Intro)
                .await
                .unwrap();
        }
        self.conn
            .insert_call_path(&*self.base_path, CallAction::Exact)
            .await
            .unwrap();
        let call_recv = self.conn.get_call_recv(&*self.base_path).await.unwrap();
        let mut workers = HashMap::new();
        let serv_cnt = self.services.len();
        let mut includes = Vec::new(); // used to setup  service Includes property
        for (i, mut serv) in self.services.drain(..).enumerate() {
            let serv_path = format!("{}/service{:04x}", self.base_path, i);
            let serv_path = ObjectPathBuf::try_from(serv_path).unwrap();
            let serv_uuid = serv.uuid();
            if !serv.includes().is_empty() {
                includes.push((serv_uuid, Vec::<UUID>::from(serv.includes())));
            }
            self.conn
                .insert_call_path(&*serv_path, CallAction::Exact)
                .await
                .unwrap();
            let chrc_drain = serv.drain_chrcs();
            let c_cnt = chrc_drain.len();
            for (j, mut chrc) in chrc_drain.enumerate() {
                let chrc_path = format!("{}/char{:04x}", serv_path, j);
                let chrc_path = ObjectPathBuf::try_from(chrc_path).unwrap();
                let chrc_uuid = chrc.uuid();
                self.conn
                    .insert_call_path(&*chrc_path, CallAction::Exact)
                    .await
                    .unwrap();
                let desc_drain = chrc.drain_descs();
                let d_cnt = desc_drain.len();
                for (k, desc) in desc_drain.enumerate() {
                    let desc_path = format!("{}/desc{:04x}", chrc_path, k);
                    let desc_path = ObjectPathBuf::try_from(desc_path).unwrap();
                    let desc_uuid = desc.uuid();
                    self.conn
                        .insert_call_path(&*desc_path, CallAction::Exact)
                        .await
                        .unwrap();
                    let desc_worker = desc.start_worker(&self.conn, &desc_path, filter.clone());
                    workers.insert((serv_uuid, chrc_uuid, desc_uuid), (desc_worker, desc_path));
                }
                let chrc_worker = chrc.start_worker(&self.conn, &chrc_path, d_cnt, filter.clone());
                workers.insert((serv_uuid, chrc_uuid, UUID(0)), (chrc_worker, chrc_path));
            }
            let serv_worker = serv.start_worker(&self.conn, &serv_path, c_cnt, filter.clone());
            workers.insert((serv_uuid, UUID(0), UUID(0)), (serv_worker, serv_path));
        }
        for (serv_uuid, included) in includes {
            // serv_worker
            let paths = included
                .into_iter()
                .map(|uuid| workers[&(uuid, UUID(0), UUID(0))].1.to_owned())
                .collect();
            let msg = WorkerMsg::IncludedPaths(paths);
            workers[&(serv_uuid, UUID(0), UUID(0))]
                .0
                .sender
                .send(msg)
                .await
                .unwrap();
        }
        let senders = workers
            .values()
            .map(|(worker, _)| worker.sender.clone())
            .collect();
        let mut res_fut = self.begin_reg_call().await?;

        let mut app_data = WorkerData {
            serv_cnt,
            senders,
            conn: self.conn.clone(),
            filter, //base_path: self.base_path.clone()
        };
        loop {
            let call_fut = call_recv.recv();
            match select(res_fut, call_fut).await {
                Either::Left((res, _)) => {
                    let res = res?;
                    is_msg_err_empty(&res)?;
                    break;
                }
                Either::Right((call, res_f)) => {
                    eprintln!("call received: {:?}", call);
                    app_data.handle_app(&call?).await?;
                    eprintln!("call handled\n");
                    res_fut = res_f;
                }
            }
        }
        let (sender, recv) = bounded(2);
        let handle = spawn(async move {
            let mut recv_fut = recv.recv();
            loop {
                let call_fut = self.conn.get_call(&*self.base_path);
                pin_mut!(call_fut);
                match select(recv_fut, call_fut).await {
                    Either::Left((msg, _)) => {
                        let msg = msg.unwrap();
                        match msg {
                            WorkerMsg::Unregister => break,
                            _ => unreachable!(),
                        }
                    }
                    Either::Right((call, recv_f)) => {
                        app_data.handle_app(&call?).await?;
                        recv_fut = recv_f;
                    }
                }
            }
            Ok(WorkerJoin::App(self))
        });
        let app_worker = Worker { handle, sender };
        let mut workers: HashMap<_, _> = workers.into_iter().map(|(k, (v, _))| (k, v)).collect();
        workers.insert((UUID(0), UUID(0), UUID(0)), app_worker);
        Ok(AppWorker { workers })
    }
}
/// Given an optional filter, check if this message should be allowed, 
/// or rejected because it is not from the Bluez daemon.
fn is_msg_bluez(call: &MarshalledMessage, filter: Option<&str>) -> bool {
    let self_dest = match filter {
        Some(d) => d,
        None => return true,
    };
    //let dest = call.dynheader.sender.as_ref().map(|s| s.as_str());
    match &call.dynheader.sender {
        Some(d) => d == BLUEZ_DEST || d == self_dest,
        None => false,
    }
}

/// An active GATT application that is registered with the Bluez daemon.
///
/// This worker will continue to work even if this handle to it is dropped.
pub struct AppWorker {
    workers: HashMap<(UUID, UUID, UUID), Worker>,
}
impl AppWorker {
    /// Deregister the application with Bluez, shutdown the workers, and return the original `Application`.
    pub async fn unregister(self) -> Result<Application, Error> {
        struct SortableWorkers((UUID, UUID, UUID), Worker);
        impl PartialEq<SortableWorkers> for SortableWorkers {
            fn eq(&self, other: &SortableWorkers) -> bool {
                self.0.eq(&other.0)
            }
        }
        impl Eq for SortableWorkers {}
        impl PartialOrd<SortableWorkers> for SortableWorkers {
            fn partial_cmp(&self, other: &SortableWorkers) -> Option<std::cmp::Ordering> {
                self.0.partial_cmp(&other.0).map(|o| o.reverse())
            }
        }
        impl Ord for SortableWorkers {
            fn cmp(&self, other: &Self) -> std::cmp::Ordering {
                self.0.cmp(&other.0).reverse()
            }
        }
        let heap: std::collections::BinaryHeap<_> = self
            .workers
            .into_iter()
            .map(|(k, v)| SortableWorkers(k, v))
            .collect();
        let mut finished = try_join_all(heap.into_iter().map(|w| async {
            w.1.sender.send(WorkerMsg::Unregister).await?;
            let ret = w.1.handle.await?;
            Result::<_, Error>::Ok(ret)
        }))
        .await?
        .into_iter();
        let mut app = match finished.next() {
            Some(WorkerJoin::App(a)) => a,
            _ => unreachable!(),
        };
        let mut cur_serv = None;
        let mut cur_chrc = None;
        let mut cur_desc = None;
        for attr in finished {
            match attr {
                WorkerJoin::Serv(serv) => {
                    if let Some(serv) = cur_serv.replace(serv) {
                        app.add_service(serv);
                    }
                }
                WorkerJoin::Chrc(chrc) => {
                    if let Some(chrc) = cur_chrc.replace(chrc) {
                        cur_serv.as_mut().unwrap().add_char(chrc);
                    }
                }
                WorkerJoin::Desc(desc) => {
                    if let Some(desc) = cur_desc.replace(desc) {
                        cur_chrc.as_mut().unwrap().add_desc(desc);
                    }
                }
                WorkerJoin::App(_) => unreachable!(),
            }
        }
        Ok(app)
    }
    /// Update the value of the given characteristic with `val`.
    pub async fn update_characteristic(
        &self,
        service: UUID,
        character: UUID,
        val: ValOrFn,
        notify: bool,
    ) -> Result<(), Error> {
        let worker = self
            .workers
            .get(&(service, character, UUID(0)))
            .ok_or(Error::UnknownChrc(service, character))?;
        worker.sender.send(WorkerMsg::Update(val, notify)).await?;
        Ok(())
    }
    /// Update the value of the given descriptor with `val`.
    pub async fn update_descriptor(
        &self,
        service: UUID,
        character: UUID,
        descriptor: UUID,
        val: ValOrFn,
    ) -> Result<(), Error> {
        let worker = self
            .workers
            .get(&(service, character, descriptor))
            .ok_or(Error::UnknownDesc(service, character, descriptor))?;

        worker.sender.send(WorkerMsg::Update(val, false)).await?;
        Ok(())
    }
    /// Trigger a notification for the Bluetooth service.
    pub fn notify_char(
        &self,
        service: UUID,
        character: UUID,
        val: Option<AttValue>,
    ) -> impl Future<Output = Result<(), Error>> + Unpin + '_ {
        futures::future::ready(
            self.workers
                .get(&(service, character, UUID(0)))
                .ok_or(Error::UnknownChrc(service, character)),
        )
        .and_then(|worker| worker.sender.send(WorkerMsg::Notify(val)).err_into())
    }
    /// Get the current value of the characteristic.
    ///
    /// If the value of the characteristic is a `ValOrFn::Function` the callback will be called.
    /// If this is the case, note that this could affect what remote devices see 
    /// if the callback changes based on number/timing of reads.
    pub async fn get_char(&self, serv: UUID, cha: UUID) -> Result<AttValue, Error> {
        let worker = self
            .workers
            .get(&(serv, cha, UUID(0)))
            .ok_or(Error::UnknownChrc(serv, cha))?;
        let (sender, recv) = one_time_channel();
        worker.sender.send(WorkerMsg::Get(sender)).await?;
        let res = recv.recv().await?;
        Ok(res)
    }
    /// Get the ATT handle for the given service.
    pub async fn get_serv_handle(&self, serv: UUID) -> Result<NonZeroU16, Error> {
        let worker = self
            .workers
            .get(&(serv, UUID(0), UUID(0)))
            .ok_or(Error::UnknownServ(serv))?;
        let (sender, recv) = one_time_channel();
        worker.sender.send(WorkerMsg::GetHandle(sender)).await?;
        let res = recv.recv().await?;
        Ok(res)
    }
    /// Get the ATT handle for the given characteristic.
    pub async fn get_char_handle(&self, serv: UUID, cha: UUID) -> Result<NonZeroU16, Error> {
        let worker = self
            .workers
            .get(&(serv, cha, UUID(0)))
            .ok_or(Error::UnknownChrc(serv, cha))?;
        let (sender, recv) = one_time_channel();
        worker.sender.send(WorkerMsg::GetHandle(sender)).await?;
        let res = recv.recv().await?;
        Ok(res)
    }
    /// Check if the characteristic is notifying.
    ///
    /// This just indicates that Bluez has called `org.bluez.GattCharacteristic1.AcquireNotify` 
    /// and has not hungup the socket, or `org.bluez.GattCharacteristic1.StartNotify` was called 
    /// and has not been stopped. 
    /// This does not guarantee that the device(s) that requested notifications are still connected 
    /// or listening.
    pub async fn char_notifying(&self, serv: UUID, cha: UUID) -> Result<bool, Error> {
        let worker = self
            .workers
            .get(&(serv, cha, UUID(0)))
            .ok_or(Error::UnknownChrc(serv, cha))?;
        let (sender, recv) = one_time_channel();
        worker.sender.send(WorkerMsg::Notifying(sender)).await?;
        let res = recv.recv().await?;
        Ok(res)
    }
    /// Check if the characteristic is notifying through a file descriptor.
    ///
    /// This indicates that Bluez has acquired a file descriptor 
    /// with `org.bluez.GattCharacteristic1.AcquireNotify` and it hasn't been closed yet.
    /// This does not guarantee that the device(s) that requested notifications are still connected 
    /// or listening.
    ///
    /// # Notes
    /// * When remote devices acquire notifications, Bluez will almost always call 
    /// `org.bluez.GattCharacteristic1.AcquireNotify` to services them.
    pub async fn char_notify_acquired(&self, serv: UUID, cha: UUID) -> Result<bool, Error> {
        let worker = self
            .workers
            .get(&(serv, cha, UUID(0)))
            .ok_or(Error::UnknownChrc(serv, cha))?;
        let (sender, recv) = one_time_channel();
        worker
            .sender
            .send(WorkerMsg::NotifyAcquired(sender))
            .await?;
        let res = recv.recv().await?;
        Ok(res)
    }
    /// Check if the characteristic is notifying via DBus signals.
    ///
    /// This indicates that Bluez has started a notification session by with
    /// `org.bluez.GattCharacteristic1.StartNotify`.
    /// # Notes
    /// * Bluez will almost never uses `org.bluez.GattCharacteristic1.StartNotify`, 
    /// but it can be useful for debugging.
    pub async fn char_notify_signaling(&self, serv: UUID, cha: UUID) -> Result<bool, Error> {
        let worker = self
            .workers
            .get(&(serv, cha, UUID(0)))
            .ok_or(Error::UnknownChrc(serv, cha))?;
        let (sender, recv) = one_time_channel();
        worker
            .sender
            .send(WorkerMsg::NotifyingSignal(sender))
            .await?;
        let res = recv.recv().await?;
        Ok(res)
    }
    /// Get the current value of the given descriptor.
    ///
    /// If the value of the descriptor is a `ValOrFn::Function` the callback will be called.
    /// If this is the case, note that this could affect what remote devices see 
    /// if the callback changes based on number/timing of reads.
    pub async fn get_desc(&self, serv: UUID, cha: UUID, desc: UUID) -> Result<AttValue, Error> {
        let worker = self
            .workers
            .get(&(serv, cha, desc))
            .ok_or(Error::UnknownDesc(serv, cha, desc))?;
        let (sender, recv) = one_time_channel();
        worker.sender.send(WorkerMsg::Get(sender)).await?;
        let res = recv.recv().await?;
        Ok(res)
    }
    /// Get the ATT handle for the given descriptor.
    pub async fn get_desc_handle(
        &self,
        serv: UUID,
        cha: UUID,
        desc: UUID,
    ) -> Result<NonZeroU16, Error> {
        let worker = self
            .workers
            .get(&(serv, cha, desc))
            .ok_or(Error::UnknownDesc(serv, cha, desc))?;
        let (sender, recv) = one_time_channel();
        worker.sender.send(WorkerMsg::GetHandle(sender)).await?;
        let res = recv.recv().await?;
        Ok(res)
    }
}

enum WorkerMsg {
    Unregister,
    Update(ValOrFn, bool),
    Get(OneSender<AttValue>),
    GetHandle(OneSender<NonZeroU16>),
    Notify(Option<AttValue>),
    Notifying(OneSender<bool>),
    NotifyAcquired(OneSender<bool>),
    NotifyingSignal(OneSender<bool>),
    IncludedPaths(Vec<ObjectPathBuf>),
    ObjMgr(
        OneSender<(
            ObjectPathBuf,
            HashMap<&'static str, HashMap<&'static str, BluezOptions<'static, 'static>>>,
        )>,
    ),
}