1use {
20 crate::client::Client,
21 anyhow::{format_err, Error},
22 fuchsia_trace as ftrace,
23 fuchsia_wayland_core::{self as wl, FromArgs, MessageType},
24 std::{
25 any::Any,
26 collections::{
27 hash_map::{Entry, HashMap},
28 HashSet,
29 },
30 fmt::{self, Debug},
31 marker::PhantomData,
32 },
33 thiserror::Error,
34};
35
36pub(crate) struct ObjectMap {
43 objects: HashMap<u32, ObjectMapEntry>,
47}
48
49struct ObjectMapEntry {
50 request_spec: &'static wl::MessageGroupSpec,
52 receiver: Box<dyn MessageReceiver>,
54}
55
56#[derive(Copy, Clone, Debug, Error)]
57pub enum ObjectMapError {
58 #[error("Object with id {} is not found", _0)]
62 InvalidObjectId(u32),
63
64 #[error("Opcode {} is not supported", _0)]
67 InvalidOpcode(u16),
68}
69
70#[derive(Debug, Error)]
72pub enum ObjectLookupError {
73 #[error("Object with id {} does not exist", _0)]
74 ObjectDoesNotExist(u32),
75 #[error("Failed to downcast")]
76 DowncastFailed,
77}
78
79impl ObjectMap {
80 pub fn new() -> Self {
81 ObjectMap { objects: HashMap::new() }
82 }
83
84 pub fn get<T: Any>(&self, id: wl::ObjectId) -> Result<&T, ObjectLookupError> {
87 ftrace::duration!(c"wayland", c"ObjectMap::get");
88 match self.objects.get(&id) {
89 Some(entry) => match entry.receiver.data().downcast_ref() {
90 Some(t) => Ok(t),
91 None => Err(ObjectLookupError::DowncastFailed),
92 },
93 None => Err(ObjectLookupError::ObjectDoesNotExist(id)),
94 }
95 }
96
97 pub fn get_mut<T: Any>(&mut self, id: wl::ObjectId) -> Result<&mut T, ObjectLookupError> {
100 ftrace::duration!(c"wayland", c"ObjectMap::get_mut");
101 match self.objects.get_mut(&id) {
102 Some(entry) => match entry.receiver.data_mut().downcast_mut() {
103 Some(t) => Ok(t),
104 None => Err(ObjectLookupError::DowncastFailed),
105 },
106 None => Err(ObjectLookupError::ObjectDoesNotExist(id)),
107 }
108 }
109
110 pub(crate) fn lookup_internal(
112 &self,
113 header: &wl::MessageHeader,
114 ) -> Result<(MessageReceiverFn, &'static wl::MessageSpec), Error> {
115 ftrace::duration!(c"wayland", c"ObjectMap::lookup_internal");
116 let ObjectMapEntry { request_spec, receiver } = self
117 .objects
118 .get(&header.sender)
119 .ok_or(ObjectMapError::InvalidObjectId(header.sender))?;
120 let spec = request_spec
121 .0
122 .get(header.opcode as usize)
123 .ok_or(ObjectMapError::InvalidOpcode(header.opcode))?;
124
125 Ok((receiver.receiver(), spec))
126 }
127
128 pub fn add_object<I: wl::Interface + 'static, R: RequestReceiver<I> + 'static>(
134 &mut self,
135 id: u32,
136 receiver: R,
137 ) -> Result<ObjectRef<R>, Error> {
138 ftrace::duration!(c"wayland", c"ObjectMap::add_object");
139 self.add_object_raw(id, Box::new(RequestDispatcher::new(receiver)), &I::REQUESTS)?;
140 Ok(ObjectRef::from_id(id))
141 }
142
143 pub fn add_object_raw(
147 &mut self,
148 id: wl::ObjectId,
149 receiver: Box<dyn MessageReceiver>,
150 request_spec: &'static wl::MessageGroupSpec,
151 ) -> Result<(), Error> {
152 ftrace::duration!(c"wayland", c"ObjectMap::add_object_raw");
153 if let Entry::Vacant(entry) = self.objects.entry(id) {
154 entry.insert(ObjectMapEntry { receiver, request_spec });
155 Ok(())
156 } else {
157 Err(format_err!("Can't add duplicate object with id {}. ", id))
158 }
159 }
160
161 pub fn delete(&mut self, id: wl::ObjectId) -> Result<(), Error> {
162 ftrace::duration!(c"wayland", c"ObjectMap::delete");
163 if self.objects.remove(&id).is_some() {
164 Ok(())
166 } else {
167 Err(format_err!("Item {} does not exist", id))
168 }
169 }
170}
171
172pub struct ObjectRef<T: 'static>(PhantomData<T>, wl::ObjectId);
178
179impl<T: 'static> Copy for ObjectRef<T> {}
182impl<T: 'static> Clone for ObjectRef<T> {
183 fn clone(&self) -> Self {
184 *self
185 }
186}
187impl<T: 'static> Debug for ObjectRef<T> {
188 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> Result<(), fmt::Error> {
189 write!(f, "ObjectRef({})", self.1)
190 }
191}
192impl<T> From<wl::ObjectId> for ObjectRef<T> {
193 fn from(id: wl::ObjectId) -> Self {
194 Self::from_id(id)
195 }
196}
197impl<T> Eq for ObjectRef<T> {}
198impl<T> PartialEq for ObjectRef<T> {
199 fn eq(&self, other: &Self) -> bool {
200 self.1.eq(&other.1)
201 }
202}
203impl<T> std::hash::Hash for ObjectRef<T> {
204 fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
205 self.1.hash(state);
206 }
207}
208
209impl<T> ObjectRef<T> {
210 pub fn from_id(id: wl::ObjectId) -> Self {
211 ObjectRef(PhantomData, id)
212 }
213
214 pub fn id(&self) -> wl::ObjectId {
215 self.1
216 }
217
218 pub fn get<'a>(&self, client: &'a Client) -> Result<&'a T, ObjectLookupError> {
220 client.get_object(self.1)
221 }
222
223 pub fn try_get<'a>(&self, client: &'a Client) -> Option<&'a T> {
225 client.try_get_object(self.1)
226 }
227
228 pub fn get_mut<'a>(&self, client: &'a mut Client) -> Result<&'a mut T, ObjectLookupError> {
230 client.get_object_mut(self.1)
231 }
232
233 pub fn try_get_mut<'a>(&self, client: &'a mut Client) -> Option<&'a mut T> {
235 client.try_get_object_mut(self.1)
236 }
237
238 pub fn is_valid(&self, client: &mut Client) -> bool {
249 self.get(client).is_ok()
250 }
251}
252
253pub struct ObjectRefSet<ObjectType: 'static>(HashSet<ObjectRef<ObjectType>>);
255
256impl<ObjectType> ObjectRefSet<ObjectType> {
257 pub fn new() -> Self {
258 ObjectRefSet(HashSet::new())
259 }
260
261 pub fn add(&mut self, id: ObjectRef<ObjectType>) -> bool {
266 self.0.insert(id)
267 }
268
269 pub fn remove(&mut self, id: ObjectRef<ObjectType>) -> bool {
274 self.0.remove(&id)
275 }
276
277 pub fn iter(&self) -> impl Iterator<Item = &ObjectRef<ObjectType>> {
278 self.0.iter()
279 }
280}
281
282pub trait NewObjectExt<I: wl::Interface> {
283 fn implement<R: RequestReceiver<I>>(
284 self,
285 client: &mut Client,
286 receiver: R,
287 ) -> Result<ObjectRef<R>, Error>;
288}
289
290impl<I: wl::Interface> NewObjectExt<I> for wl::NewObject<I> {
291 fn implement<R: RequestReceiver<I>>(
292 self,
293 client: &mut Client,
294 receiver: R,
295 ) -> Result<ObjectRef<R>, Error> {
296 client.add_object(self.id(), receiver)
297 }
298}
299
300type MessageReceiverFn = fn(
306 this: wl::ObjectId,
307 opcode: u16,
308 args: Vec<wl::Arg>,
309 client: &mut Client,
310) -> Result<(), Error>;
311pub trait MessageReceiver {
312 fn receiver(&self) -> MessageReceiverFn;
315
316 fn data(&self) -> &dyn Any;
317
318 fn data_mut(&mut self) -> &mut dyn Any;
319}
320
321pub trait RequestReceiver<I: wl::Interface>: Any + Sized {
324 fn receive(
342 this: ObjectRef<Self>,
343 request: I::Incoming,
344 client: &mut Client,
345 ) -> Result<(), Error>;
346}
347
348pub struct RequestDispatcher<I: wl::Interface, R: RequestReceiver<I>> {
357 _marker: PhantomData<I>,
358 receiver: R,
359}
360
361impl<I: wl::Interface, R: RequestReceiver<I>> RequestDispatcher<I, R> {
362 pub fn new(receiver: R) -> Self {
363 RequestDispatcher { receiver, _marker: PhantomData }
364 }
365}
366
367fn receive_message<I: wl::Interface, R: RequestReceiver<I>>(
368 this: wl::ObjectId,
369 opcode: u16,
370 args: Vec<wl::Arg>,
371 client: &mut Client,
372) -> Result<(), Error> {
373 ftrace::duration!(c"wayland", c"receive_message");
374 let request = {
375 ftrace::duration!(c"wayland", c"I::Request::from_args");
376 I::Incoming::from_args(opcode, args).unwrap()
377 };
378 if client.protocol_logging() {
379 println!("--r-> {}", request.log(this));
380 }
381
382 {
383 let _scope = ftrace::duration(c"wayland", request.message_name(), &[]);
384 R::receive(ObjectRef(PhantomData, this), request, client)?;
385 }
386 Ok(())
387}
388
389impl<I: wl::Interface, R: RequestReceiver<I>> MessageReceiver for RequestDispatcher<I, R> {
393 fn receiver(&self) -> MessageReceiverFn {
394 receive_message::<I, R>
395 }
396
397 fn data(&self) -> &dyn Any {
398 &self.receiver
399 }
400
401 fn data_mut(&mut self) -> &mut dyn Any {
402 &mut self.receiver
403 }
404}
405
406#[cfg(test)]
407mod tests {
408 use super::*;
409
410 use fuchsia_async as fasync;
411 use fuchsia_wayland_core::IntoMessage;
412
413 use crate::display::Display;
414 use crate::registry::RegistryBuilder;
415 use crate::test_protocol::*;
416
417 fn create_client() -> Result<Client, Error> {
418 let display = Display::new_no_scenic(RegistryBuilder::new().build())
419 .expect("Failed to create display");
420 let (c1, _c2) = zx::Channel::create();
421 Ok(Client::new(fasync::Channel::from_channel(c1), display))
422 }
423
424 #[test]
425 fn dispatch_message_to_request_receiver() -> Result<(), Error> {
426 let _executor = fasync::LocalExecutor::new();
427 let mut client = create_client()?;
428 client.add_object(0, TestReceiver::new())?;
429
430 client.handle_message(TestMessage::Message1.into_message(0)?)?;
432 assert_eq!(1, client.get_object::<TestReceiver>(0)?.count());
433 Ok(())
434 }
435
436 #[test]
437 fn add_object_duplicate_id() -> Result<(), Error> {
438 let _executor = fasync::LocalExecutor::new();
439 let mut client = create_client()?;
440 assert!(client.add_object(0, TestReceiver::new()).is_ok());
441 assert!(client.add_object(0, TestReceiver::new()).is_err());
442 Ok(())
443 }
444
445 #[test]
446 fn dispatch_message_to_invalid_id() -> Result<(), Error> {
447 let _executor = fasync::LocalExecutor::new();
448 let mut client = create_client()?;
450
451 assert!(client.handle_message(TestMessage::Message1.into_message(0)?).is_err());
452 Ok(())
453 }
454}